source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, handle, *other):
LOGGER.debug('delete_handle...')
utilhandle.check_handle_syntax(handle)
if len(other) > 0:
message = ('You specified more than one argument. If you wanted' +
' to delete just some values from a handle, please use the' +
' new method "delete_handle_value()".')
raise TypeError(message)
op = 'deleting handle'
resp = self.__send_handle_delete_request(handle, op=op)
if hsresponses.handle_success(resp):
LOGGER.info('Handle ' + handle + ' deleted.')
elif hsresponses.handle_not_found(resp):
msg = ('delete_handle: Handle ' + handle +
' did not exist, so it could not be deleted.')
LOGGER.debug(msg)
raise HandleNotFoundException(msg=msg, handle=handle, response=resp)
else:
raise GenericHandleError(op=op, handle=handle, response=resp)
| delete_handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, *other):\n LOGGER.debug('delete_handle...')\n utilhandle.check_handle_syntax(handle)\n if len(other) > 0:\n message = ('You specified more than one argument. If you wanted' +\n ' to delete just some values from a handle, please use the' +\n ' new method \"delete_handle_value()\".')\n raise TypeError(message)\n op = 'deleting handle'\n resp = self.__send_handle_delete_request(handle, op=op)\n if hsresponses.handle_success(resp):\n LOGGER.info('Handle ' + handle + ' deleted.')\n elif hsresponses.handle_not_found(resp):\n msg = ('delete_handle: Handle ' + handle +\n ' did not exist, so it could not be deleted.')\n LOGGER.debug(msg)\n raise HandleNotFoundException(msg=msg, handle=handle, response=resp)\n else:\n raise GenericHandleError(op=op, handle=handle, response=resp)\n",
"role": "user"
},
{
"content": "delete_handle",
"role": "assistant"
}
] |
def x(self, handle, old, new):
LOGGER.debug('exchange_additional_URL...')
handlerecord_json = self.retrieve_handle_record_json(handle)
if handlerecord_json is None:
msg = 'Cannot exchange URLs in unexisting handle'
raise HandleNotFoundException(handle=handle, msg=msg)
list_of_entries = handlerecord_json['values']
if not self.is_URL_contained_in_10320LOC(handle, old, handlerecord_json):
LOGGER.debug(
'exchange_additional_URL: No URLs exchanged, as the url was not in the record.'
)
else:
self.__exchange_URL_in_13020loc(old, new, list_of_entries, handle)
op = 'exchanging URLs'
resp, put_payload = self.__send_handle_put_request(handle,
list_of_entries, overwrite=True, op=op)
if hsresponses.handle_success(resp):
pass
else:
msg = 'Could not exchange URL ' + str(old) + ' against ' + str(new)
raise GenericHandleError(operation=op, handle=handle, reponse=
resp, msg=msg, payload=put_payload)
| exchange_additional_URL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, old, new):\n LOGGER.debug('exchange_additional_URL...')\n handlerecord_json = self.retrieve_handle_record_json(handle)\n if handlerecord_json is None:\n msg = 'Cannot exchange URLs in unexisting handle'\n raise HandleNotFoundException(handle=handle, msg=msg)\n list_of_entries = handlerecord_json['values']\n if not self.is_URL_contained_in_10320LOC(handle, old, handlerecord_json):\n LOGGER.debug(\n 'exchange_additional_URL: No URLs exchanged, as the url was not in the record.'\n )\n else:\n self.__exchange_URL_in_13020loc(old, new, list_of_entries, handle)\n op = 'exchanging URLs'\n resp, put_payload = self.__send_handle_put_request(handle,\n list_of_entries, overwrite=True, op=op)\n if hsresponses.handle_success(resp):\n pass\n else:\n msg = 'Could not exchange URL ' + str(old) + ' against ' + str(new)\n raise GenericHandleError(operation=op, handle=handle, reponse=\n resp, msg=msg, payload=put_payload)\n",
"role": "user"
},
{
"content": "exchange_additional_URL",
"role": "assistant"
}
] |
def x(self, handle, *urls, **attributes):
LOGGER.debug('add_additional_URL...')
handlerecord_json = self.retrieve_handle_record_json(handle)
if handlerecord_json is None:
msg = 'Cannot add URLS to unexisting handle!'
raise HandleNotFoundException(handle=handle, msg=msg)
list_of_entries = handlerecord_json['values']
is_new = False
for url in urls:
if not self.is_URL_contained_in_10320LOC(handle, url, handlerecord_json
):
is_new = True
if not is_new:
LOGGER.debug(
'add_additional_URL: No new URL to be added (so no URL is added at all).'
)
else:
for url in urls:
self.__add_URL_to_10320LOC(url, list_of_entries, handle)
op = 'adding URLs'
resp, put_payload = self.__send_handle_put_request(handle,
list_of_entries, overwrite=True, op=op)
if hsresponses.handle_success(resp):
pass
else:
msg = 'Could not add URLs ' + str(urls)
raise GenericHandleError(operation=op, handle=handle, reponse=
resp, msg=msg, payload=put_payload)
| add_additional_URL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, *urls, **attributes):\n LOGGER.debug('add_additional_URL...')\n handlerecord_json = self.retrieve_handle_record_json(handle)\n if handlerecord_json is None:\n msg = 'Cannot add URLS to unexisting handle!'\n raise HandleNotFoundException(handle=handle, msg=msg)\n list_of_entries = handlerecord_json['values']\n is_new = False\n for url in urls:\n if not self.is_URL_contained_in_10320LOC(handle, url, handlerecord_json\n ):\n is_new = True\n if not is_new:\n LOGGER.debug(\n 'add_additional_URL: No new URL to be added (so no URL is added at all).'\n )\n else:\n for url in urls:\n self.__add_URL_to_10320LOC(url, list_of_entries, handle)\n op = 'adding URLs'\n resp, put_payload = self.__send_handle_put_request(handle,\n list_of_entries, overwrite=True, op=op)\n if hsresponses.handle_success(resp):\n pass\n else:\n msg = 'Could not add URLs ' + str(urls)\n raise GenericHandleError(operation=op, handle=handle, reponse=\n resp, msg=msg, payload=put_payload)\n",
"role": "user"
},
{
"content": "add_additional_URL",
"role": "assistant"
}
] |
def x(self, handle, *urls):
LOGGER.debug('remove_additional_URL...')
handlerecord_json = self.retrieve_handle_record_json(handle)
if handlerecord_json is None:
msg = 'Cannot remove URLs from unexisting handle'
raise HandleNotFoundException(handle=handle, msg=msg)
list_of_entries = handlerecord_json['values']
for url in urls:
self.__remove_URL_from_10320LOC(url, list_of_entries, handle)
op = 'removing URLs'
resp, put_payload = self.__send_handle_put_request(handle,
list_of_entries, overwrite=True, op=op)
if hsresponses.handle_success(resp):
pass
else:
op = 'removing "' + str(urls) + '"'
msg = 'Could not remove URLs ' + str(urls)
raise GenericHandleError(operation=op, handle=handle, reponse=resp,
msg=msg, payload=put_payload)
| remove_additional_URL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, *urls):\n LOGGER.debug('remove_additional_URL...')\n handlerecord_json = self.retrieve_handle_record_json(handle)\n if handlerecord_json is None:\n msg = 'Cannot remove URLs from unexisting handle'\n raise HandleNotFoundException(handle=handle, msg=msg)\n list_of_entries = handlerecord_json['values']\n for url in urls:\n self.__remove_URL_from_10320LOC(url, list_of_entries, handle)\n op = 'removing URLs'\n resp, put_payload = self.__send_handle_put_request(handle,\n list_of_entries, overwrite=True, op=op)\n if hsresponses.handle_success(resp):\n pass\n else:\n op = 'removing \"' + str(urls) + '\"'\n msg = 'Could not remove URLs ' + str(urls)\n raise GenericHandleError(operation=op, handle=handle, reponse=resp,\n msg=msg, payload=put_payload)\n",
"role": "user"
},
{
"content": "remove_additional_URL",
"role": "assistant"
}
] |
def x(self, handle, location, checksum=None, additional_URLs=None,
overwrite=False, **extratypes):
LOGGER.debug('register_handle...')
if overwrite == False:
handlerecord_json = self.retrieve_handle_record_json(handle)
if handlerecord_json is not None:
msg = 'Could not register handle'
LOGGER.error(msg + ', as it already exists.')
raise HandleAlreadyExistsException(handle=handle, msg=msg)
list_of_entries = []
adminentry = self.__create_admin_entry(self.__handleowner, self.
__HS_ADMIN_permissions, self.__make_another_index(list_of_entries,
hs_admin=True), handle)
list_of_entries.append(adminentry)
entry_URL = self.__create_entry('URL', location, self.
__make_another_index(list_of_entries, url=True))
list_of_entries.append(entry_URL)
if checksum is not None:
entryChecksum = self.__create_entry('CHECKSUM', checksum, self.
__make_another_index(list_of_entries))
list_of_entries.append(entryChecksum)
if extratypes is not None:
for key, value in extratypes.items():
entry = self.__create_entry(key, value, self.
__make_another_index(list_of_entries))
list_of_entries.append(entry)
if additional_URLs is not None and len(additional_URLs) > 0:
for url in additional_URLs:
self.__add_URL_to_10320LOC(url, list_of_entries, handle)
op = 'registering handle'
resp, put_payload = self.__send_handle_put_request(handle,
list_of_entries, overwrite=overwrite, op=op)
resp_content = decoded_response(resp)
if hsresponses.was_handle_created(resp) or hsresponses.handle_success(resp
):
LOGGER.info('Handle registered: ' + handle)
return json.loads(resp_content)['handle']
elif hsresponses.is_temporary_redirect(resp):
oldurl = resp.url
newurl = resp.headers['location']
raise GenericHandleError(operation=op, handle=handle, response=resp,
payload=put_payload, msg='Temporary redirect from ' + oldurl +
' to ' + newurl + '.')
elif hsresponses.handle_not_found(resp):
raise GenericHandleError(operation=op, handle=handle, response=resp,
payload=put_payload, msg=
'Could not create handle. Possibly you used HTTP instead of HTTPS?'
)
else:
raise GenericHandleError(operation=op, handle=handle, reponse=resp,
payload=put_payload)
| register_handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, location, checksum=None, additional_URLs=None,\n overwrite=False, **extratypes):\n LOGGER.debug('register_handle...')\n if overwrite == False:\n handlerecord_json = self.retrieve_handle_record_json(handle)\n if handlerecord_json is not None:\n msg = 'Could not register handle'\n LOGGER.error(msg + ', as it already exists.')\n raise HandleAlreadyExistsException(handle=handle, msg=msg)\n list_of_entries = []\n adminentry = self.__create_admin_entry(self.__handleowner, self.\n __HS_ADMIN_permissions, self.__make_another_index(list_of_entries,\n hs_admin=True), handle)\n list_of_entries.append(adminentry)\n entry_URL = self.__create_entry('URL', location, self.\n __make_another_index(list_of_entries, url=True))\n list_of_entries.append(entry_URL)\n if checksum is not None:\n entryChecksum = self.__create_entry('CHECKSUM', checksum, self.\n __make_another_index(list_of_entries))\n list_of_entries.append(entryChecksum)\n if extratypes is not None:\n for key, value in extratypes.items():\n entry = self.__create_entry(key, value, self.\n __make_another_index(list_of_entries))\n list_of_entries.append(entry)\n if additional_URLs is not None and len(additional_URLs) > 0:\n for url in additional_URLs:\n self.__add_URL_to_10320LOC(url, list_of_entries, handle)\n op = 'registering handle'\n resp, put_payload = self.__send_handle_put_request(handle,\n list_of_entries, overwrite=overwrite, op=op)\n resp_content = decoded_response(resp)\n if hsresponses.was_handle_created(resp) or hsresponses.handle_success(resp\n ):\n LOGGER.info('Handle registered: ' + handle)\n return json.loads(resp_content)['handle']\n elif hsresponses.is_temporary_redirect(resp):\n oldurl = resp.url\n newurl = resp.headers['location']\n raise GenericHandleError(operation=op, handle=handle, response=resp,\n payload=put_payload, msg='Temporary redirect from ' + oldurl +\n ' to ' + newurl + '.')\n elif hsresponses.handle_not_found(resp):\n raise GenericHandleError(operation=op, handle=handle, response=resp,\n payload=put_payload, msg=\n 'Could not create handle. Possibly you used HTTP instead of HTTPS?'\n )\n else:\n raise GenericHandleError(operation=op, handle=handle, reponse=resp,\n payload=put_payload)\n",
"role": "user"
},
{
"content": "register_handle",
"role": "assistant"
}
] |
def x(self, URL=None, prefix=None, **key_value_pairs):
LOGGER.debug('search_handle...')
list_of_handles = self.__searcher.search_handle(URL=URL, prefix=prefix,
**key_value_pairs)
return list_of_handles
| search_handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, URL=None, prefix=None, **key_value_pairs):\n LOGGER.debug('search_handle...')\n list_of_handles = self.__searcher.search_handle(URL=URL, prefix=prefix,\n **key_value_pairs)\n return list_of_handles\n",
"role": "user"
},
{
"content": "search_handle",
"role": "assistant"
}
] |
def x(self, prefix=None):
LOGGER.debug('generate_PID_name...')
randomuuid = uuid.uuid4()
if prefix is not None:
return prefix + '/' + str(randomuuid)
else:
return str(randomuuid)
| generate_PID_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prefix=None):\n LOGGER.debug('generate_PID_name...')\n randomuuid = uuid.uuid4()\n if prefix is not None:\n return prefix + '/' + str(randomuuid)\n else:\n return str(randomuuid)\n",
"role": "user"
},
{
"content": "generate_PID_name",
"role": "assistant"
}
] |
def x(self, key, list_of_entries):
LOGGER.debug('get_handlerecord_indices_for_key...')
indices = []
for entry in list_of_entries:
if entry['type'] == key:
indices.append(entry['index'])
return indices
| get_handlerecord_indices_for_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, list_of_entries):\n LOGGER.debug('get_handlerecord_indices_for_key...')\n indices = []\n for entry in list_of_entries:\n if entry['type'] == key:\n indices.append(entry['index'])\n return indices\n",
"role": "user"
},
{
"content": "get_handlerecord_indices_for_key",
"role": "assistant"
}
] |
def x(self, handle, indices=None, op=None):
resp = self.__handlesystemconnector.send_handle_delete_request(handle=
handle, indices=indices, op=op)
return resp
| send_handle_delete_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, indices=None, op=None):\n resp = self.__handlesystemconnector.send_handle_delete_request(handle=\n handle, indices=indices, op=op)\n return resp\n",
"role": "user"
},
{
"content": "send_handle_delete_request",
"role": "assistant"
}
] |
def x(self, handle, list_of_entries, indices=None, overwrite=False, op=None):
resp, payload = self.__handlesystemconnector.send_handle_put_request(handle
=handle, list_of_entries=list_of_entries, indices=indices,
overwrite=overwrite, op=op)
return resp, payload
| send_handle_put_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, list_of_entries, indices=None, overwrite=False, op=None):\n resp, payload = self.__handlesystemconnector.send_handle_put_request(handle\n =handle, list_of_entries=list_of_entries, indices=indices,\n overwrite=overwrite, op=op)\n return resp, payload\n",
"role": "user"
},
{
"content": "send_handle_put_request",
"role": "assistant"
}
] |
def x(self, handle, indices=None):
resp = self.__handlesystemconnector.send_handle_get_request(handle, indices
)
return resp
| send_handle_get_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, indices=None):\n resp = self.__handlesystemconnector.send_handle_get_request(handle, indices\n )\n return resp\n",
"role": "user"
},
{
"content": "send_handle_get_request",
"role": "assistant"
}
] |
def x(self, handle, handlerecord_json):
if handlerecord_json is None:
handlerecord_json = self.retrieve_handle_record_json(handle)
elif handle != handlerecord_json['handle']:
handlerecord_json = self.retrieve_handle_record_json(handle)
return handlerecord_json
| get_handle_record_if_necessary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, handlerecord_json):\n if handlerecord_json is None:\n handlerecord_json = self.retrieve_handle_record_json(handle)\n elif handle != handlerecord_json['handle']:\n handlerecord_json = self.retrieve_handle_record_json(handle)\n return handlerecord_json\n",
"role": "user"
},
{
"content": "get_handle_record_if_necessary",
"role": "assistant"
}
] |
def x(self, list_of_entries, url=False, hs_admin=False):
start = 2
reserved_for_url = set([1])
reserved_for_admin = set(range(100, 200))
prohibited_indices = reserved_for_url | reserved_for_admin
if url:
prohibited_indices = prohibited_indices - reserved_for_url
start = 1
elif hs_admin:
prohibited_indices = prohibited_indices - reserved_for_admin
start = 100
existing_indices = set()
if list_of_entries is not None:
for entry in list_of_entries:
existing_indices.add(int(entry['index']))
all_prohibited_indices = existing_indices | prohibited_indices
searchmax = max(start, max(all_prohibited_indices)) + 2
for index in xrange(start, searchmax):
if index not in all_prohibited_indices:
return index
| make_another_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, list_of_entries, url=False, hs_admin=False):\n start = 2\n reserved_for_url = set([1])\n reserved_for_admin = set(range(100, 200))\n prohibited_indices = reserved_for_url | reserved_for_admin\n if url:\n prohibited_indices = prohibited_indices - reserved_for_url\n start = 1\n elif hs_admin:\n prohibited_indices = prohibited_indices - reserved_for_admin\n start = 100\n existing_indices = set()\n if list_of_entries is not None:\n for entry in list_of_entries:\n existing_indices.add(int(entry['index']))\n all_prohibited_indices = existing_indices | prohibited_indices\n searchmax = max(start, max(all_prohibited_indices)) + 2\n for index in xrange(start, searchmax):\n if index not in all_prohibited_indices:\n return index\n",
"role": "user"
},
{
"content": "make_another_index",
"role": "assistant"
}
] |
def x(self, entrytype, data, index, ttl=None):
if entrytype == 'HS_ADMIN':
op = 'creating HS_ADMIN entry'
msg = 'This method can not create HS_ADMIN entries.'
raise IllegalOperationException(operation=op, msg=msg)
entry = {'index': index, 'type': entrytype, 'data': data}
if ttl is not None:
entry['ttl'] = ttl
return entry
| create_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entrytype, data, index, ttl=None):\n if entrytype == 'HS_ADMIN':\n op = 'creating HS_ADMIN entry'\n msg = 'This method can not create HS_ADMIN entries.'\n raise IllegalOperationException(operation=op, msg=msg)\n entry = {'index': index, 'type': entrytype, 'data': data}\n if ttl is not None:\n entry['ttl'] = ttl\n return entry\n",
"role": "user"
},
{
"content": "create_entry",
"role": "assistant"
}
] |
def x(self, handleowner, permissions, index, handle, ttl=None):
if handleowner is None:
adminindex = '200'
prefix = handle.split('/')[0]
adminhandle = '0.NA/' + prefix
else:
adminindex, adminhandle = utilhandle.remove_index_from_handle(
handleowner)
data = {'value': {'index': adminindex, 'handle': adminhandle,
'permissions': permissions}, 'format': 'admin'}
entry = {'index': index, 'type': 'HS_ADMIN', 'data': data}
if ttl is not None:
entry['ttl'] = ttl
return entry
| create_admin_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handleowner, permissions, index, handle, ttl=None):\n if handleowner is None:\n adminindex = '200'\n prefix = handle.split('/')[0]\n adminhandle = '0.NA/' + prefix\n else:\n adminindex, adminhandle = utilhandle.remove_index_from_handle(\n handleowner)\n data = {'value': {'index': adminindex, 'handle': adminhandle,\n 'permissions': permissions}, 'format': 'admin'}\n entry = {'index': index, 'type': 'HS_ADMIN', 'data': data}\n if ttl is not None:\n entry['ttl'] = ttl\n return entry\n",
"role": "user"
},
{
"content": "create_admin_entry",
"role": "assistant"
}
] |
def x(self, key, list_of_entries):
indices = []
for i in xrange(len(list_of_entries)):
if list_of_entries[i]['type'] == key:
indices.append(i)
return indices
| get_python_indices_for_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, list_of_entries):\n indices = []\n for i in xrange(len(list_of_entries)):\n if list_of_entries[i]['type'] == key:\n indices.append(i)\n return indices\n",
"role": "user"
},
{
"content": "get_python_indices_for_key",
"role": "assistant"
}
] |
def x(self, oldurl, newurl, list_of_entries, handle):
python_indices = self.__get_python_indices_for_key('10320/LOC',
list_of_entries)
num_exchanged = 0
if len(python_indices) > 0:
if len(python_indices) > 1:
msg = str(len(python_indices)) + ' entries of type "10320/LOC".'
raise BrokenHandleRecordException(handle=handle, msg=msg)
for index in python_indices:
entry = list_of_entries.pop(index)
xmlroot = ET.fromstring(entry['data']['value'])
all_URL_elements = xmlroot.findall('location')
for element in all_URL_elements:
if element.get('href') == oldurl:
LOGGER.debug(
'__exchange_URL_in_13020loc: Exchanging URL ' +
oldurl + ' from 10320/LOC.')
num_exchanged += 1
element.set('href', newurl)
entry['data']['value'] = ET.tostring(xmlroot, encoding=
encoding_value)
list_of_entries.append(entry)
if num_exchanged == 0:
LOGGER.debug('__exchange_URL_in_13020loc: No URLs exchanged.')
else:
message = ('__exchange_URL_in_13020loc: The URL "' + oldurl +
'" was exchanged ' + str(num_exchanged) +
' times against the new url "' + newurl + '" in 10320/LOC.')
message = message.replace('1 times', 'once')
LOGGER.debug(message)
| exchange_URL_in_13020loc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, oldurl, newurl, list_of_entries, handle):\n python_indices = self.__get_python_indices_for_key('10320/LOC',\n list_of_entries)\n num_exchanged = 0\n if len(python_indices) > 0:\n if len(python_indices) > 1:\n msg = str(len(python_indices)) + ' entries of type \"10320/LOC\".'\n raise BrokenHandleRecordException(handle=handle, msg=msg)\n for index in python_indices:\n entry = list_of_entries.pop(index)\n xmlroot = ET.fromstring(entry['data']['value'])\n all_URL_elements = xmlroot.findall('location')\n for element in all_URL_elements:\n if element.get('href') == oldurl:\n LOGGER.debug(\n '__exchange_URL_in_13020loc: Exchanging URL ' +\n oldurl + ' from 10320/LOC.')\n num_exchanged += 1\n element.set('href', newurl)\n entry['data']['value'] = ET.tostring(xmlroot, encoding=\n encoding_value)\n list_of_entries.append(entry)\n if num_exchanged == 0:\n LOGGER.debug('__exchange_URL_in_13020loc: No URLs exchanged.')\n else:\n message = ('__exchange_URL_in_13020loc: The URL \"' + oldurl +\n '\" was exchanged ' + str(num_exchanged) +\n ' times against the new url \"' + newurl + '\" in 10320/LOC.')\n message = message.replace('1 times', 'once')\n LOGGER.debug(message)\n",
"role": "user"
},
{
"content": "exchange_URL_in_13020loc",
"role": "assistant"
}
] |
def x(self, url, list_of_entries, handle):
python_indices = self.__get_python_indices_for_key('10320/LOC',
list_of_entries)
num_removed = 0
if len(python_indices) > 0:
if len(python_indices) > 1:
msg = str(len(python_indices)) + ' entries of type "10320/LOC".'
raise BrokenHandleRecordException(handle=handle, msg=msg)
for index in python_indices:
entry = list_of_entries.pop(index)
xmlroot = ET.fromstring(entry['data']['value'])
all_URL_elements = xmlroot.findall('location')
for element in all_URL_elements:
if element.get('href') == url:
LOGGER.debug(
'__remove_URL_from_10320LOC: Removing URL ' + url + '.'
)
num_removed += 1
xmlroot.remove(element)
remaining_URL_elements = xmlroot.findall('location')
if len(remaining_URL_elements) == 0:
LOGGER.debug('__remove_URL_from_10320LOC: All URLs removed.')
else:
entry['data']['value'] = ET.tostring(xmlroot, encoding=
encoding_value)
LOGGER.debug('__remove_URL_from_10320LOC: ' + str(len(
remaining_URL_elements)) + ' URLs' +
' left after removal operation.')
list_of_entries.append(entry)
if num_removed == 0:
LOGGER.debug('__remove_URL_from_10320LOC: No URLs removed.')
else:
message = ('__remove_URL_from_10320LOC: The URL "' + url +
'" was removed ' + str(num_removed) + ' times.')
message = message.replace('1 times', 'once')
LOGGER.debug(message)
| remove_URL_from_10320LOC | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, list_of_entries, handle):\n python_indices = self.__get_python_indices_for_key('10320/LOC',\n list_of_entries)\n num_removed = 0\n if len(python_indices) > 0:\n if len(python_indices) > 1:\n msg = str(len(python_indices)) + ' entries of type \"10320/LOC\".'\n raise BrokenHandleRecordException(handle=handle, msg=msg)\n for index in python_indices:\n entry = list_of_entries.pop(index)\n xmlroot = ET.fromstring(entry['data']['value'])\n all_URL_elements = xmlroot.findall('location')\n for element in all_URL_elements:\n if element.get('href') == url:\n LOGGER.debug(\n '__remove_URL_from_10320LOC: Removing URL ' + url + '.'\n )\n num_removed += 1\n xmlroot.remove(element)\n remaining_URL_elements = xmlroot.findall('location')\n if len(remaining_URL_elements) == 0:\n LOGGER.debug('__remove_URL_from_10320LOC: All URLs removed.')\n else:\n entry['data']['value'] = ET.tostring(xmlroot, encoding=\n encoding_value)\n LOGGER.debug('__remove_URL_from_10320LOC: ' + str(len(\n remaining_URL_elements)) + ' URLs' +\n ' left after removal operation.')\n list_of_entries.append(entry)\n if num_removed == 0:\n LOGGER.debug('__remove_URL_from_10320LOC: No URLs removed.')\n else:\n message = ('__remove_URL_from_10320LOC: The URL \"' + url +\n '\" was removed ' + str(num_removed) + ' times.')\n message = message.replace('1 times', 'once')\n LOGGER.debug(message)\n",
"role": "user"
},
{
"content": "remove_URL_from_10320LOC",
"role": "assistant"
}
] |
def x(self, url, list_of_entries, handle=None, weight=None, http_role=None,
**kvpairs):
indices = self.__get_python_indices_for_key('10320/LOC', list_of_entries)
makenew = False
entry = None
if len(indices) == 0:
index = self.__make_another_index(list_of_entries)
entry = self.__create_entry('10320/LOC', 'add_later', index)
makenew = True
else:
if len(indices) > 1:
msg = 'There is ' + str(len(indices)) + ' 10320/LOC entries.'
raise BrokenHandleRecordException(handle=handle, msg=msg)
ind = indices[0]
entry = list_of_entries.pop(ind)
xmlroot = None
if makenew:
xmlroot = ET.Element('locations')
if self.__10320LOC_chooseby is not None:
xmlroot.set('chooseby', self.__10320LOC_chooseby)
else:
try:
xmlroot = ET.fromstring(entry['data']['value'])
except TypeError:
xmlroot = ET.fromstring(entry['data'])
LOGGER.debug('__add_URL_to_10320LOC: xmlroot is (1) ' + ET.tostring(
xmlroot, encoding=encoding_value))
location_element = None
existing_location_ids = []
if not makenew:
list_of_locations = xmlroot.findall('location')
for item in list_of_locations:
try:
existing_location_ids.append(int(item.get('id')))
except TypeError:
pass
if item.get('href') == url:
location_element = item
existing_location_ids.sort()
if location_element is None:
location_id = 0
for existing_id in existing_location_ids:
if location_id == existing_id:
location_id += 1
location_element = ET.SubElement(xmlroot, 'location')
LOGGER.debug('__add_URL_to_10320LOC: location_element is (1) ' + ET
.tostring(location_element, encoding=encoding_value) +
', now add id ' + str(location_id))
location_element.set('id', str(location_id))
LOGGER.debug('__add_URL_to_10320LOC: location_element is (2) ' + ET
.tostring(location_element, encoding=encoding_value) +
', now add url ' + str(url))
location_element.set('href', url)
LOGGER.debug('__add_URL_to_10320LOC: location_element is (3) ' + ET
.tostring(location_element, encoding=encoding_value))
self.__set_or_adapt_10320LOC_attributes(location_element, weight,
http_role, **kvpairs)
LOGGER.debug('__add_URL_to_10320LOC: xmlroot is (2) ' + ET.tostring(
xmlroot, encoding=encoding_value))
entry['data'] = ET.tostring(xmlroot, encoding=encoding_value)
list_of_entries.append(entry)
| add_URL_to_10320LOC | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, list_of_entries, handle=None, weight=None, http_role=None,\n **kvpairs):\n indices = self.__get_python_indices_for_key('10320/LOC', list_of_entries)\n makenew = False\n entry = None\n if len(indices) == 0:\n index = self.__make_another_index(list_of_entries)\n entry = self.__create_entry('10320/LOC', 'add_later', index)\n makenew = True\n else:\n if len(indices) > 1:\n msg = 'There is ' + str(len(indices)) + ' 10320/LOC entries.'\n raise BrokenHandleRecordException(handle=handle, msg=msg)\n ind = indices[0]\n entry = list_of_entries.pop(ind)\n xmlroot = None\n if makenew:\n xmlroot = ET.Element('locations')\n if self.__10320LOC_chooseby is not None:\n xmlroot.set('chooseby', self.__10320LOC_chooseby)\n else:\n try:\n xmlroot = ET.fromstring(entry['data']['value'])\n except TypeError:\n xmlroot = ET.fromstring(entry['data'])\n LOGGER.debug('__add_URL_to_10320LOC: xmlroot is (1) ' + ET.tostring(\n xmlroot, encoding=encoding_value))\n location_element = None\n existing_location_ids = []\n if not makenew:\n list_of_locations = xmlroot.findall('location')\n for item in list_of_locations:\n try:\n existing_location_ids.append(int(item.get('id')))\n except TypeError:\n pass\n if item.get('href') == url:\n location_element = item\n existing_location_ids.sort()\n if location_element is None:\n location_id = 0\n for existing_id in existing_location_ids:\n if location_id == existing_id:\n location_id += 1\n location_element = ET.SubElement(xmlroot, 'location')\n LOGGER.debug('__add_URL_to_10320LOC: location_element is (1) ' + ET\n .tostring(location_element, encoding=encoding_value) +\n ', now add id ' + str(location_id))\n location_element.set('id', str(location_id))\n LOGGER.debug('__add_URL_to_10320LOC: location_element is (2) ' + ET\n .tostring(location_element, encoding=encoding_value) +\n ', now add url ' + str(url))\n location_element.set('href', url)\n LOGGER.debug('__add_URL_to_10320LOC: location_element is (3) ' + ET\n .tostring(location_element, encoding=encoding_value))\n self.__set_or_adapt_10320LOC_attributes(location_element, weight,\n http_role, **kvpairs)\n LOGGER.debug('__add_URL_to_10320LOC: xmlroot is (2) ' + ET.tostring(\n xmlroot, encoding=encoding_value))\n entry['data'] = ET.tostring(xmlroot, encoding=encoding_value)\n list_of_entries.append(entry)\n",
"role": "user"
},
{
"content": "add_URL_to_10320LOC",
"role": "assistant"
}
] |
def x(self, locelement, weight=None, http_role=None, **kvpairs):
if weight is not None:
LOGGER.debug('__set_or_adapt_10320LOC_attributes: weight (' + str(
type(weight)) + '): ' + str(weight))
weight = float(weight)
if weight < 0 or weight > 1:
default = 1
LOGGER.debug(
'__set_or_adapt_10320LOC_attributes: Invalid weight (' +
str(weight) + '), using default value (' + str(default) +
') instead.')
weight = default
weight = str(weight)
locelement.set('weight', weight)
if http_role is not None:
locelement.set('http_role', http_role)
for key, value in kvpairs.items():
locelement.set(key, str(value))
| set_or_adapt_10320LOC_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locelement, weight=None, http_role=None, **kvpairs):\n if weight is not None:\n LOGGER.debug('__set_or_adapt_10320LOC_attributes: weight (' + str(\n type(weight)) + '): ' + str(weight))\n weight = float(weight)\n if weight < 0 or weight > 1:\n default = 1\n LOGGER.debug(\n '__set_or_adapt_10320LOC_attributes: Invalid weight (' +\n str(weight) + '), using default value (' + str(default) +\n ') instead.')\n weight = default\n weight = str(weight)\n locelement.set('weight', weight)\n if http_role is not None:\n locelement.set('http_role', http_role)\n for key, value in kvpairs.items():\n locelement.set(key, str(value))\n",
"role": "user"
},
{
"content": "set_or_adapt_10320LOC_attributes",
"role": "assistant"
}
] |
def x(self):
if self.oauth2_params and self.oauth2_params.get('display') == 'mobile':
auth_url = self.mobile_url + 'authorize'
else:
auth_url = self.site_url + 'authorize'
params = {'client_id': self.client_id, 'redirect_uri': self.redirect_url}
params.update(self.oauth2_params)
params = filter_params(params)
return '{auth_url}?{params}'.format(auth_url=auth_url, params=urlencode
(params))
| authorize_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.oauth2_params and self.oauth2_params.get('display') == 'mobile':\n auth_url = self.mobile_url + 'authorize'\n else:\n auth_url = self.site_url + 'authorize'\n params = {'client_id': self.client_id, 'redirect_uri': self.redirect_url}\n params.update(self.oauth2_params)\n params = filter_params(params)\n return '{auth_url}?{params}'.format(auth_url=auth_url, params=urlencode\n (params))\n",
"role": "user"
},
{
"content": "authorize_url",
"role": "assistant"
}
] |
def x(self, method, suffix, data):
url = self.site_url + suffix
response = self.session.request(method, url, data=data)
if response.status_code == 200:
json_obj = response.json()
if isinstance(json_obj, dict) and json_obj.get('error_code'):
raise WeiboOauth2Error(json_obj.get('error_code'), json_obj.get
('error'), json_obj.get('error_description'))
else:
return json_obj
else:
raise WeiboRequestError(
'Weibo API request error: status code: {code} url:{url} -> method:{method}: data={data}'
.format(code=response.status_code, url=response.url, method=
method, data=data))
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, suffix, data):\n url = self.site_url + suffix\n response = self.session.request(method, url, data=data)\n if response.status_code == 200:\n json_obj = response.json()\n if isinstance(json_obj, dict) and json_obj.get('error_code'):\n raise WeiboOauth2Error(json_obj.get('error_code'), json_obj.get\n ('error'), json_obj.get('error_description'))\n else:\n return json_obj\n else:\n raise WeiboRequestError(\n 'Weibo API request error: status code: {code} url:{url} -> method:{method}: data={data}'\n .format(code=response.status_code, url=response.url, method=\n method, data=data))\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, auth_code):
data = {'client_id': self.client_id, 'client_secret': self.
client_secret, 'grant_type': 'authorization_code', 'code':
auth_code, 'redirect_uri': self.redirect_url}
return self.request('post', 'access_token', data=data)
| auth_access | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, auth_code):\n data = {'client_id': self.client_id, 'client_secret': self.\n client_secret, 'grant_type': 'authorization_code', 'code':\n auth_code, 'redirect_uri': self.redirect_url}\n return self.request('post', 'access_token', data=data)\n",
"role": "user"
},
{
"content": "auth_access",
"role": "assistant"
}
] |
def x(self, access_token):
result = self.request('post', 'revokeoauth2', data={'access_token':
access_token})
return bool(result.get('result'))
| revoke_auth_access | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, access_token):\n result = self.request('post', 'revokeoauth2', data={'access_token':\n access_token})\n return bool(result.get('result'))\n",
"role": "user"
},
{
"content": "revoke_auth_access",
"role": "assistant"
}
] |
def x(self, username, password):
auth = b2handle.utilhandle.create_authentication_string(username, password)
self.__basic_authentication_string = auth
| set_basic_auth_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password):\n auth = b2handle.utilhandle.create_authentication_string(username, password)\n self.__basic_authentication_string = auth\n",
"role": "user"
},
{
"content": "set_basic_auth_string",
"role": "assistant"
}
] |
def x(self, handle, indices=None):
url = self.make_handle_URL(handle, indices)
LOGGER.debug('GET Request to ' + url)
head = self.__get_headers('GET')
veri = self.__HTTPS_verify
if self.__cert_needed_for_get_request():
resp = self.__session.get(url, headers=head, verify=veri, cert=self
.__cert_object)
else:
resp = self.__session.get(url, headers=head, verify=veri)
self.__log_request_response_to_file(logger=REQUESTLOGGER, op='GET',
handle=handle, url=url, headers=head, verify=veri, resp=resp)
self.__first_request = False
return resp
| send_handle_get_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, indices=None):\n url = self.make_handle_URL(handle, indices)\n LOGGER.debug('GET Request to ' + url)\n head = self.__get_headers('GET')\n veri = self.__HTTPS_verify\n if self.__cert_needed_for_get_request():\n resp = self.__session.get(url, headers=head, verify=veri, cert=self\n .__cert_object)\n else:\n resp = self.__session.get(url, headers=head, verify=veri)\n self.__log_request_response_to_file(logger=REQUESTLOGGER, op='GET',\n handle=handle, url=url, headers=head, verify=veri, resp=resp)\n self.__first_request = False\n return resp\n",
"role": "user"
},
{
"content": "send_handle_get_request",
"role": "assistant"
}
] |
def x(self, **args):
if not self.__has_write_access:
raise HandleAuthenticationError(msg=self.__no_auth_message)
mandatory_args = ['handle', 'list_of_entries']
optional_args = ['indices', 'op', 'overwrite']
b2handle.util.add_missing_optional_args_with_value_none(args, optional_args
)
b2handle.util.check_presence_of_mandatory_args(args, mandatory_args)
handle = args['handle']
list_of_entries = args['list_of_entries']
indices = args['indices']
op = args['op']
overwrite = args['overwrite'] or False
url = self.make_handle_URL(handle, indices, overwrite=overwrite)
LOGGER.debug('PUT Request to ' + url)
payload = json.dumps({'values': list_of_entries})
LOGGER.debug('PUT Request payload: ' + payload)
head = self.__get_headers('PUT')
LOGGER.debug('PUT Request headers: ' + str(head))
veri = self.__HTTPS_verify
resp = self.__send_put_request_to_server(url, payload, head, veri, handle)
if b2handle.hsresponses.is_redirect_from_http_to_https(resp):
resp = self.__resend_put_request_on_302(payload, head, veri, handle,
resp)
if b2handle.hsresponses.not_authenticated(resp):
raise HandleAuthenticationError(operation=op, handle=handle,
response=resp, username=self.__username)
self.__first_request = False
return resp, payload
| send_handle_put_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **args):\n if not self.__has_write_access:\n raise HandleAuthenticationError(msg=self.__no_auth_message)\n mandatory_args = ['handle', 'list_of_entries']\n optional_args = ['indices', 'op', 'overwrite']\n b2handle.util.add_missing_optional_args_with_value_none(args, optional_args\n )\n b2handle.util.check_presence_of_mandatory_args(args, mandatory_args)\n handle = args['handle']\n list_of_entries = args['list_of_entries']\n indices = args['indices']\n op = args['op']\n overwrite = args['overwrite'] or False\n url = self.make_handle_URL(handle, indices, overwrite=overwrite)\n LOGGER.debug('PUT Request to ' + url)\n payload = json.dumps({'values': list_of_entries})\n LOGGER.debug('PUT Request payload: ' + payload)\n head = self.__get_headers('PUT')\n LOGGER.debug('PUT Request headers: ' + str(head))\n veri = self.__HTTPS_verify\n resp = self.__send_put_request_to_server(url, payload, head, veri, handle)\n if b2handle.hsresponses.is_redirect_from_http_to_https(resp):\n resp = self.__resend_put_request_on_302(payload, head, veri, handle,\n resp)\n if b2handle.hsresponses.not_authenticated(resp):\n raise HandleAuthenticationError(operation=op, handle=handle,\n response=resp, username=self.__username)\n self.__first_request = False\n return resp, payload\n",
"role": "user"
},
{
"content": "send_handle_put_request",
"role": "assistant"
}
] |
def x(self, **args):
if not self.__has_write_access:
raise HandleAuthenticationError(msg=self.__no_auth_message)
mandatory_args = ['handle']
optional_args = ['indices', 'op']
b2handle.util.add_missing_optional_args_with_value_none(args, optional_args
)
b2handle.util.check_presence_of_mandatory_args(args, mandatory_args)
handle = args['handle']
indices = args['indices']
op = args['op']
url = self.make_handle_URL(handle, indices)
if indices is not None and len(indices) > 0:
LOGGER.debug('__send_handle_delete_request: Deleting values ' + str
(indices) + ' from handle ' + handle + '.')
else:
LOGGER.debug('__send_handle_delete_request: Deleting handle ' +
handle + '.')
LOGGER.debug('DELETE Request to ' + url)
head = self.__get_headers('DELETE')
veri = self.__HTTPS_verify
resp = None
if self.__authentication_method == self.__auth_methods['user_pw']:
resp = self.__session.delete(url, headers=head, verify=veri)
elif self.__authentication_method == self.__auth_methods['cert']:
resp = self.__session.delete(url, headers=head, verify=veri, cert=
self.__cert_object)
self.__log_request_response_to_file(logger=REQUESTLOGGER, op='DELETE',
handle=handle, url=url, headers=head, verify=veri, resp=resp)
if b2handle.hsresponses.not_authenticated(resp):
raise HandleAuthenticationError(operation=op, handle=handle,
response=resp, username=self.__username)
self.__first_request = False
return resp
| send_handle_delete_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **args):\n if not self.__has_write_access:\n raise HandleAuthenticationError(msg=self.__no_auth_message)\n mandatory_args = ['handle']\n optional_args = ['indices', 'op']\n b2handle.util.add_missing_optional_args_with_value_none(args, optional_args\n )\n b2handle.util.check_presence_of_mandatory_args(args, mandatory_args)\n handle = args['handle']\n indices = args['indices']\n op = args['op']\n url = self.make_handle_URL(handle, indices)\n if indices is not None and len(indices) > 0:\n LOGGER.debug('__send_handle_delete_request: Deleting values ' + str\n (indices) + ' from handle ' + handle + '.')\n else:\n LOGGER.debug('__send_handle_delete_request: Deleting handle ' +\n handle + '.')\n LOGGER.debug('DELETE Request to ' + url)\n head = self.__get_headers('DELETE')\n veri = self.__HTTPS_verify\n resp = None\n if self.__authentication_method == self.__auth_methods['user_pw']:\n resp = self.__session.delete(url, headers=head, verify=veri)\n elif self.__authentication_method == self.__auth_methods['cert']:\n resp = self.__session.delete(url, headers=head, verify=veri, cert=\n self.__cert_object)\n self.__log_request_response_to_file(logger=REQUESTLOGGER, op='DELETE',\n handle=handle, url=url, headers=head, verify=veri, resp=resp)\n if b2handle.hsresponses.not_authenticated(resp):\n raise HandleAuthenticationError(operation=op, handle=handle,\n response=resp, username=self.__username)\n self.__first_request = False\n return resp\n",
"role": "user"
},
{
"content": "send_handle_delete_request",
"role": "assistant"
}
] |
def x(self, username):
LOGGER.debug('check_if_username_exists...')
_, handle = b2handle.utilhandle.remove_index_from_handle(username)
resp = self.send_handle_get_request(handle)
resp_content = decoded_response(resp)
if b2handle.hsresponses.does_handle_exist(resp):
handlerecord_json = json.loads(resp_content)
if not handlerecord_json['handle'] == handle:
raise GenericHandleError(operation=
'Checking if username exists', handle=handle, reponse=resp,
msg='The check returned a different handle than was asked for.'
)
return True
elif b2handle.hsresponses.handle_not_found(resp):
msg = 'The username handle does not exist'
raise HandleNotFoundException(handle=handle, msg=msg, response=resp)
else:
op = 'checking if handle exists'
msg = 'Checking if username exists went wrong'
raise GenericHandleError(operation=op, handle=handle, response=resp,
msg=msg)
| check_if_username_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username):\n LOGGER.debug('check_if_username_exists...')\n _, handle = b2handle.utilhandle.remove_index_from_handle(username)\n resp = self.send_handle_get_request(handle)\n resp_content = decoded_response(resp)\n if b2handle.hsresponses.does_handle_exist(resp):\n handlerecord_json = json.loads(resp_content)\n if not handlerecord_json['handle'] == handle:\n raise GenericHandleError(operation=\n 'Checking if username exists', handle=handle, reponse=resp,\n msg='The check returned a different handle than was asked for.'\n )\n return True\n elif b2handle.hsresponses.handle_not_found(resp):\n msg = 'The username handle does not exist'\n raise HandleNotFoundException(handle=handle, msg=msg, response=resp)\n else:\n op = 'checking if handle exists'\n msg = 'Checking if username exists went wrong'\n raise GenericHandleError(operation=op, handle=handle, response=resp,\n msg=msg)\n",
"role": "user"
},
{
"content": "check_if_username_exists",
"role": "assistant"
}
] |
def x(self, action):
header = {}
accept = 'application/json'
content_type = 'application/json'
if action is 'GET':
header['Accept'] = accept
elif action is 'PUT' or action is 'DELETE':
if self.__authentication_method == self.__auth_methods['cert']:
header['Authorization'] = 'Handle clientCert="true"'
elif self.__authentication_method == self.__auth_methods['user_pw']:
header['Authorization'
] = 'Basic ' + self.__basic_authentication_string
if action is 'PUT':
header['Content-Type'] = content_type
else:
LOGGER.debug('__getHeader: ACTION is unknown (' + action + ')')
return header
| get_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action):\n header = {}\n accept = 'application/json'\n content_type = 'application/json'\n if action is 'GET':\n header['Accept'] = accept\n elif action is 'PUT' or action is 'DELETE':\n if self.__authentication_method == self.__auth_methods['cert']:\n header['Authorization'] = 'Handle clientCert=\"true\"'\n elif self.__authentication_method == self.__auth_methods['user_pw']:\n header['Authorization'\n ] = 'Basic ' + self.__basic_authentication_string\n if action is 'PUT':\n header['Content-Type'] = content_type\n else:\n LOGGER.debug('__getHeader: ACTION is unknown (' + action + ')')\n return header\n",
"role": "user"
},
{
"content": "get_headers",
"role": "assistant"
}
] |
def x(self, handle, indices=None, overwrite=None, other_url=None):
LOGGER.debug('make_handle_URL...')
separator = '?'
if other_url is not None:
url = other_url
else:
url = self.__handle_server_url.strip('/'
) + '/' + self.__REST_API_url_extension.strip('/')
url = url.strip('/') + '/' + handle
if indices is None:
indices = []
if len(indices) > 0:
for index in indices:
url = url + separator + 'index=' + str(index)
separator = '&'
if overwrite is not None:
if overwrite:
url = url + separator + 'overwrite=true'
else:
url = url + separator + 'overwrite=false'
return url
| make_handle_URL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, indices=None, overwrite=None, other_url=None):\n LOGGER.debug('make_handle_URL...')\n separator = '?'\n if other_url is not None:\n url = other_url\n else:\n url = self.__handle_server_url.strip('/'\n ) + '/' + self.__REST_API_url_extension.strip('/')\n url = url.strip('/') + '/' + handle\n if indices is None:\n indices = []\n if len(indices) > 0:\n for index in indices:\n url = url + separator + 'index=' + str(index)\n separator = '&'\n if overwrite is not None:\n if overwrite:\n url = url + separator + 'overwrite=true'\n else:\n url = url + separator + 'overwrite=false'\n return url\n",
"role": "user"
},
{
"content": "make_handle_URL",
"role": "assistant"
}
] |
def x(self, metric_name, metric_value, epoch_seconds=None):
if epoch_seconds is None:
epoch_seconds = self._reactor.seconds()
self._client_factory.publish_metric(metric_name, metric_value, int(
epoch_seconds))
| publish_metric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric_name, metric_value, epoch_seconds=None):\n if epoch_seconds is None:\n epoch_seconds = self._reactor.seconds()\n self._client_factory.publish_metric(metric_name, metric_value, int(\n epoch_seconds))\n",
"role": "user"
},
{
"content": "publish_metric",
"role": "assistant"
}
] |
def x(self, metric_name, frequency, getter):
l = task.LoopingCall(self._publish_repeating_metric, metric_name, getter)
repeating_metric_handle = RepeatingMetricHandle(l, frequency)
self._repeating_metric_handles.append(repeating_metric_handle)
if self.running:
repeating_metric_handle.start()
return repeating_metric_handle
| register_repeating_metric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metric_name, frequency, getter):\n l = task.LoopingCall(self._publish_repeating_metric, metric_name, getter)\n repeating_metric_handle = RepeatingMetricHandle(l, frequency)\n self._repeating_metric_handles.append(repeating_metric_handle)\n if self.running:\n repeating_metric_handle.start()\n return repeating_metric_handle\n",
"role": "user"
},
{
"content": "register_repeating_metric",
"role": "assistant"
}
] |
def x(console=False, port=None, menu=True):
if self._has_been_setup:
teardown()
register_plugins()
register_host()
if menu:
add_to_filemenu()
self._has_menu = True
self._has_been_setup = True
print('pyblish: Loaded successfully.')
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(console=False, port=None, menu=True):\n if self._has_been_setup:\n teardown()\n register_plugins()\n register_host()\n if menu:\n add_to_filemenu()\n self._has_menu = True\n self._has_been_setup = True\n print('pyblish: Loaded successfully.')\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x():
parent = None
current = QtWidgets.QApplication.activeWindow()
while current:
parent = current
current = parent.parent()
window = (_discover_gui() or _show_no_gui)(parent)
return window
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parent = None\n current = QtWidgets.QApplication.activeWindow()\n while current:\n parent = current\n current = parent.parent()\n window = (_discover_gui() or _show_no_gui)(parent)\n return window\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(widget_object):
parentApp = QtWidgets.QApplication.allWidgets()
parentWidgetList = []
for parent in parentApp:
for child in parent.children():
if widget_object.__class__.__name__ == child.__class__.__name__:
parentWidgetList.append(parent.parentWidget())
parentWidgetList.append(parent.parentWidget().parentWidget())
parentWidgetList.append(parent.parentWidget().parentWidget(
).parentWidget())
for sub in parentWidgetList:
for tinychild in sub.children():
try:
tinychild.setContentsMargins(0, 0, 0, 0)
except Exception:
pass
| nuke_set_zero_margins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(widget_object):\n parentApp = QtWidgets.QApplication.allWidgets()\n parentWidgetList = []\n for parent in parentApp:\n for child in parent.children():\n if widget_object.__class__.__name__ == child.__class__.__name__:\n parentWidgetList.append(parent.parentWidget())\n parentWidgetList.append(parent.parentWidget().parentWidget())\n parentWidgetList.append(parent.parentWidget().parentWidget(\n ).parentWidget())\n for sub in parentWidgetList:\n for tinychild in sub.children():\n try:\n tinychild.setContentsMargins(0, 0, 0, 0)\n except Exception:\n pass\n",
"role": "user"
},
{
"content": "nuke_set_zero_margins",
"role": "assistant"
}
] |
def x(window):
if self._dock:
print('Deleting existing dock...')
parent = self._dock
dialog = None
stacked_widget = None
main_windows = []
while parent:
if isinstance(parent, QtWidgets.QDialog):
dialog = parent
if isinstance(parent, QtWidgets.QStackedWidget):
stacked_widget = parent
if isinstance(parent, QtWidgets.QMainWindow):
main_windows.append(parent)
parent = parent.parent()
dialog.deleteLater()
if len(main_windows) > 1:
if stacked_widget.count() == 1:
main_windows[0].deleteLater()
pane = nuke.getPaneFor('Properties.1')
widget_path = 'pyblish_nuke.lib.pyblish_nuke_dockwidget'
panel = nukescripts.panels.registerWidgetAsPanel(widget_path, window.
windowTitle(), 'pyblish_nuke.dock', True).addToPane(pane)
panel_widget = panel.customKnob.getObject().widget
panel_widget.layout().addWidget(window)
_nuke_set_zero_margins(panel_widget)
self._dock = panel_widget
return self._dock
| dock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(window):\n if self._dock:\n print('Deleting existing dock...')\n parent = self._dock\n dialog = None\n stacked_widget = None\n main_windows = []\n while parent:\n if isinstance(parent, QtWidgets.QDialog):\n dialog = parent\n if isinstance(parent, QtWidgets.QStackedWidget):\n stacked_widget = parent\n if isinstance(parent, QtWidgets.QMainWindow):\n main_windows.append(parent)\n parent = parent.parent()\n dialog.deleteLater()\n if len(main_windows) > 1:\n if stacked_widget.count() == 1:\n main_windows[0].deleteLater()\n pane = nuke.getPaneFor('Properties.1')\n widget_path = 'pyblish_nuke.lib.pyblish_nuke_dockwidget'\n panel = nukescripts.panels.registerWidgetAsPanel(widget_path, window.\n windowTitle(), 'pyblish_nuke.dock', True).addToPane(pane)\n panel_widget = panel.customKnob.getObject().widget\n panel_widget.layout().addWidget(window)\n _nuke_set_zero_margins(panel_widget)\n self._dock = panel_widget\n return self._dock\n",
"role": "user"
},
{
"content": "dock",
"role": "assistant"
}
] |
def x(handle_with_index):
split = handle_with_index.split(':')
if len(split) == 2:
split[0] = int(split[0])
return split
elif len(split) == 1:
return None, handle_with_index
elif len(split) > 2:
raise handleexceptions.HandleSyntaxError(msg='Too many colons',
handle=handle_with_index, expected_syntax='index:prefix/suffix')
| remove_index_from_handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(handle_with_index):\n split = handle_with_index.split(':')\n if len(split) == 2:\n split[0] = int(split[0])\n return split\n elif len(split) == 1:\n return None, handle_with_index\n elif len(split) > 2:\n raise handleexceptions.HandleSyntaxError(msg='Too many colons',\n handle=handle_with_index, expected_syntax='index:prefix/suffix')\n",
"role": "user"
},
{
"content": "remove_index_from_handle",
"role": "assistant"
}
] |
def x(string):
expected = 'prefix/suffix'
try:
arr = string.split('/')
except AttributeError:
raise handleexceptions.HandleSyntaxError(msg=
'The provided handle is None', expected_syntax=expected)
if len(arr) < 2:
msg = 'No slash'
raise handleexceptions.HandleSyntaxError(msg=msg, handle=string,
expected_syntax=expected)
if len(arr[0]) == 0:
msg = 'Empty prefix'
raise handleexceptions.HandleSyntaxError(msg=msg, handle=string,
expected_syntax=expected)
if len(arr[1]) == 0:
msg = 'Empty suffix'
raise handleexceptions.HandleSyntaxError(msg=msg, handle=string,
expected_syntax=expected)
if ':' in string:
check_handle_syntax_with_index(string, base_already_checked=True)
return True
| check_handle_syntax | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n expected = 'prefix/suffix'\n try:\n arr = string.split('/')\n except AttributeError:\n raise handleexceptions.HandleSyntaxError(msg=\n 'The provided handle is None', expected_syntax=expected)\n if len(arr) < 2:\n msg = 'No slash'\n raise handleexceptions.HandleSyntaxError(msg=msg, handle=string,\n expected_syntax=expected)\n if len(arr[0]) == 0:\n msg = 'Empty prefix'\n raise handleexceptions.HandleSyntaxError(msg=msg, handle=string,\n expected_syntax=expected)\n if len(arr[1]) == 0:\n msg = 'Empty suffix'\n raise handleexceptions.HandleSyntaxError(msg=msg, handle=string,\n expected_syntax=expected)\n if ':' in string:\n check_handle_syntax_with_index(string, base_already_checked=True)\n return True\n",
"role": "user"
},
{
"content": "check_handle_syntax",
"role": "assistant"
}
] |
def x(username, password):
username_utf8 = username.encode('utf-8')
userpw_utf8 = password.encode('utf-8')
username_perc = quote(username_utf8)
userpw_perc = quote(userpw_utf8)
authinfostring = username_perc + ':' + userpw_perc
authinfostring_base64 = base64.b64encode(authinfostring.encode('utf-8')
).decode('utf-8')
return authinfostring_base64
| create_authentication_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password):\n username_utf8 = username.encode('utf-8')\n userpw_utf8 = password.encode('utf-8')\n username_perc = quote(username_utf8)\n userpw_perc = quote(userpw_utf8)\n authinfostring = username_perc + ':' + userpw_perc\n authinfostring_base64 = base64.b64encode(authinfostring.encode('utf-8')\n ).decode('utf-8')\n return authinfostring_base64\n",
"role": "user"
},
{
"content": "create_authentication_string",
"role": "assistant"
}
] |
def x(**args):
mandatory_args = ['op', 'handle', 'url', 'headers', 'verify', 'resp']
optional_args = ['payload']
util.check_presence_of_mandatory_args(args, mandatory_args)
util.add_missing_optional_args_with_value_none(args, optional_args)
space = '\n '
message = ''
message += '\n' + args['op'] + ' ' + args['handle']
message += space + 'URL: ' + args['url']
message += space + 'HEADERS: ' + str(args['headers'])
message += space + 'VERIFY: ' + str(args['verify'])
if 'payload' in args.keys():
message += space + 'PAYLOAD:' + space + str(args['payload'])
message += space + 'RESPONSECODE: ' + str(args['resp'].status_code)
message += space + 'RESPONSE:' + space + str(args['resp'].content)
return message
| make_request_log_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**args):\n mandatory_args = ['op', 'handle', 'url', 'headers', 'verify', 'resp']\n optional_args = ['payload']\n util.check_presence_of_mandatory_args(args, mandatory_args)\n util.add_missing_optional_args_with_value_none(args, optional_args)\n space = '\\n '\n message = ''\n message += '\\n' + args['op'] + ' ' + args['handle']\n message += space + 'URL: ' + args['url']\n message += space + 'HEADERS: ' + str(args['headers'])\n message += space + 'VERIFY: ' + str(args['verify'])\n if 'payload' in args.keys():\n message += space + 'PAYLOAD:' + space + str(args['payload'])\n message += space + 'RESPONSECODE: ' + str(args['resp'].status_code)\n message += space + 'RESPONSE:' + space + str(args['resp'].content)\n return message\n",
"role": "user"
},
{
"content": "make_request_log_message",
"role": "assistant"
}
] |
def x(url, auth=None):
try:
r = requests.get(url, auth=auth, verify=False)
return r.text.encode('utf-8')
except BaseException:
logger.error('Skipping %s (error parsing the XML)' % url)
return
| request_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, auth=None):\n try:\n r = requests.get(url, auth=auth, verify=False)\n return r.text.encode('utf-8')\n except BaseException:\n logger.error('Skipping %s (error parsing the XML)' % url)\n return\n",
"role": "user"
},
{
"content": "request_xml",
"role": "assistant"
}
] |
def x(self, url):
u = urlparse.urlsplit(url)
name, ext = os.path.splitext(u.path)
if ext == '.html':
u = urlparse.urlsplit(url.replace('.html', '.xml'))
url = u.geturl()
return url
| get_catalog_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n u = urlparse.urlsplit(url)\n name, ext = os.path.splitext(u.path)\n if ext == '.html':\n u = urlparse.urlsplit(url.replace('.html', '.xml'))\n url = u.geturl()\n return url\n",
"role": "user"
},
{
"content": "get_catalog_url",
"role": "assistant"
}
] |
def x(self, url, tree):
for leaf in tree.findall('.//{%s}dataset[@urlPath]' % INV_NS):
name = leaf.get('name')
if any([x.match(name) for x in self.skip]):
logger.info("Skipping dataset based on 'skips'. Name: %s" % name)
continue
date_tag = leaf.find('.//{%s}date[@type="modified"]' % INV_NS)
if date_tag is not None:
try:
dt = parse(date_tag.text)
except ValueError:
logger.error('Skipping dataset.Wrong date string %s ' %
date_tag.text)
continue
else:
dt = dt.replace(tzinfo=pytz.utc)
if self.after and dt < self.after:
continue
if self.before and dt > self.before:
continue
gid = leaf.get('ID')
if self.select is not None:
if gid is not None and any([x.match(gid) for x in self.select]):
logger.debug('Processing %s' % gid)
yield '%s?dataset=%s' % (url, gid)
else:
logger.info("Ignoring dataset based on 'selects'. ID: %s" %
gid)
continue
else:
logger.debug('Processing %s' % gid)
yield '%s?dataset=%s' % (url, gid)
| yield_leaves | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, tree):\n for leaf in tree.findall('.//{%s}dataset[@urlPath]' % INV_NS):\n name = leaf.get('name')\n if any([x.match(name) for x in self.skip]):\n logger.info(\"Skipping dataset based on 'skips'. Name: %s\" % name)\n continue\n date_tag = leaf.find('.//{%s}date[@type=\"modified\"]' % INV_NS)\n if date_tag is not None:\n try:\n dt = parse(date_tag.text)\n except ValueError:\n logger.error('Skipping dataset.Wrong date string %s ' %\n date_tag.text)\n continue\n else:\n dt = dt.replace(tzinfo=pytz.utc)\n if self.after and dt < self.after:\n continue\n if self.before and dt > self.before:\n continue\n gid = leaf.get('ID')\n if self.select is not None:\n if gid is not None and any([x.match(gid) for x in self.select]):\n logger.debug('Processing %s' % gid)\n yield '%s?dataset=%s' % (url, gid)\n else:\n logger.info(\"Ignoring dataset based on 'selects'. ID: %s\" %\n gid)\n continue\n else:\n logger.debug('Processing %s' % gid)\n yield '%s?dataset=%s' % (url, gid)\n",
"role": "user"
},
{
"content": "yield_leaves",
"role": "assistant"
}
] |
def x(self, url, tree):
references = []
for ref in tree.findall('.//{%s}catalogRef' % INV_NS):
title = ref.get('{%s}title' % XLINK_NS)
if any([x.match(title) for x in self.skip]):
logger.info("Skipping catalogRef based on 'skips'. Title: %s" %
title)
continue
references.append(construct_url(url, ref.get('{%s}href' % XLINK_NS)))
return references
| compile_references | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, tree):\n references = []\n for ref in tree.findall('.//{%s}catalogRef' % INV_NS):\n title = ref.get('{%s}title' % XLINK_NS)\n if any([x.match(title) for x in self.skip]):\n logger.info(\"Skipping catalogRef based on 'skips'. Title: %s\" %\n title)\n continue\n references.append(construct_url(url, ref.get('{%s}href' % XLINK_NS)))\n return references\n",
"role": "user"
},
{
"content": "compile_references",
"role": "assistant"
}
] |
def x(self, url, auth):
if url in self.visited:
logger.debug('Skipping %s (already crawled)' % url)
return
self.visited.append(url)
logger.info('Crawling: %s' % url)
url = self._get_catalog_url(url)
xml_content = request_xml(url, auth)
for ds in self._build_catalog(url, xml_content):
yield ds
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, auth):\n if url in self.visited:\n logger.debug('Skipping %s (already crawled)' % url)\n return\n self.visited.append(url)\n logger.info('Crawling: %s' % url)\n url = self._get_catalog_url(url)\n xml_content = request_xml(url, auth)\n for ds in self._build_catalog(url, xml_content):\n yield ds\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, url, xml_content):
try:
tree = etree.XML(xml_content)
except BaseException:
return
references = self._compile_references(url, tree)
jobs = [self.pool.apply_async(request_xml, args=(ref,)) for ref in
references]
responses = [j.get() for j in jobs]
for i, response in enumerate(responses):
for ds in self._build_catalog(references[i], response):
yield ds
for ds in self._yield_leaves(url, tree):
yield ds
| build_catalog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, xml_content):\n try:\n tree = etree.XML(xml_content)\n except BaseException:\n return\n references = self._compile_references(url, tree)\n jobs = [self.pool.apply_async(request_xml, args=(ref,)) for ref in\n references]\n responses = [j.get() for j in jobs]\n for i, response in enumerate(responses):\n for ds in self._build_catalog(references[i], response):\n yield ds\n for ds in self._yield_leaves(url, tree):\n yield ds\n",
"role": "user"
},
{
"content": "build_catalog",
"role": "assistant"
}
] |
def x(fdr, fqname, path=None):
if fqname in fdr.aliases:
return Loader(fqname, fdr.aliases[fqname])
return None
| find_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fdr, fqname, path=None):\n if fqname in fdr.aliases:\n return Loader(fqname, fdr.aliases[fqname])\n return None\n",
"role": "user"
},
{
"content": "find_module",
"role": "assistant"
}
] |
def x(ldr, fqname):
scope = ldr.scope.split('.')
modpath = fqname.split('.')
if scope != modpath[0:len(scope)]:
raise AssertionError('%s responsible for %s got request for %s' % (
ldr.__class__.__name__, ldr.scope, fqname))
if fqname in sys.modules:
mod = sys.modules[fqname]
else:
mod = sys.modules.setdefault(fqname, types.ModuleType(fqname))
mod.__loader__ = ldr
fspath = ldr.path_to(fqname)
mod.__file__ = str(fspath)
if fs.is_package(fspath):
mod.__path__ = [ldr.fspath]
mod.__package__ = str(fqname)
else:
mod.__package__ = str(fqname.rpartition('.')[0])
exec(fs.get_code(fspath), mod.__dict__)
return mod
| load_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ldr, fqname):\n scope = ldr.scope.split('.')\n modpath = fqname.split('.')\n if scope != modpath[0:len(scope)]:\n raise AssertionError('%s responsible for %s got request for %s' % (\n ldr.__class__.__name__, ldr.scope, fqname))\n if fqname in sys.modules:\n mod = sys.modules[fqname]\n else:\n mod = sys.modules.setdefault(fqname, types.ModuleType(fqname))\n mod.__loader__ = ldr\n fspath = ldr.path_to(fqname)\n mod.__file__ = str(fspath)\n if fs.is_package(fspath):\n mod.__path__ = [ldr.fspath]\n mod.__package__ = str(fqname)\n else:\n mod.__package__ = str(fqname.rpartition('.')[0])\n exec(fs.get_code(fspath), mod.__dict__)\n return mod\n",
"role": "user"
},
{
"content": "load_module",
"role": "assistant"
}
] |
def x(ctx, func, *args, **kwargs):
a = ctx.socket(zmq.PAIR)
a.setsockopt(zmq.LINGER, 0)
a.setsockopt(zmq.RCVHWM, 100)
a.setsockopt(zmq.SNDHWM, 100)
a.setsockopt(zmq.SNDTIMEO, 5000)
a.setsockopt(zmq.RCVTIMEO, 5000)
b = ctx.socket(zmq.PAIR)
b.setsockopt(zmq.LINGER, 0)
b.setsockopt(zmq.RCVHWM, 100)
b.setsockopt(zmq.SNDHWM, 100)
b.setsockopt(zmq.SNDTIMEO, 5000)
a.setsockopt(zmq.RCVTIMEO, 5000)
iface = 'inproc://%s' % binascii.hexlify(os.urandom(8))
a.bind(iface)
b.connect(iface)
thread = threading.Thread(target=func, args=(ctx, b) + args, kwargs=kwargs)
thread.daemon = False
thread.start()
return a
| zthread_fork | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, func, *args, **kwargs):\n a = ctx.socket(zmq.PAIR)\n a.setsockopt(zmq.LINGER, 0)\n a.setsockopt(zmq.RCVHWM, 100)\n a.setsockopt(zmq.SNDHWM, 100)\n a.setsockopt(zmq.SNDTIMEO, 5000)\n a.setsockopt(zmq.RCVTIMEO, 5000)\n b = ctx.socket(zmq.PAIR)\n b.setsockopt(zmq.LINGER, 0)\n b.setsockopt(zmq.RCVHWM, 100)\n b.setsockopt(zmq.SNDHWM, 100)\n b.setsockopt(zmq.SNDTIMEO, 5000)\n a.setsockopt(zmq.RCVTIMEO, 5000)\n iface = 'inproc://%s' % binascii.hexlify(os.urandom(8))\n a.bind(iface)\n b.connect(iface)\n thread = threading.Thread(target=func, args=(ctx, b) + args, kwargs=kwargs)\n thread.daemon = False\n thread.start()\n return a\n",
"role": "user"
},
{
"content": "zthread_fork",
"role": "assistant"
}
] |
def x(object, name, value, safe=True):
if os.getenv('QT_TESTING') is not None and safe:
if hasattr(object, name):
raise AttributeError('Cannot override existing name: %s.%s' % (
object.__name__, name))
if type(object).__name__ != 'module':
raise AttributeError(
"%s != 'module': Cannot alter anything but modules" % object)
elif hasattr(object, name):
self.__modified__.append(name)
self.__remapped__.append(name)
setattr(object, name, value)
| remap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object, name, value, safe=True):\n if os.getenv('QT_TESTING') is not None and safe:\n if hasattr(object, name):\n raise AttributeError('Cannot override existing name: %s.%s' % (\n object.__name__, name))\n if type(object).__name__ != 'module':\n raise AttributeError(\n \"%s != 'module': Cannot alter anything but modules\" % object)\n elif hasattr(object, name):\n self.__modified__.append(name)\n self.__remapped__.append(name)\n setattr(object, name, value)\n",
"role": "user"
},
{
"content": "remap",
"role": "assistant"
}
] |
def x():
preferred = os.getenv('QT_PREFERRED_BINDING')
verbose = os.getenv('QT_VERBOSE') is not None
bindings = _pyside2, _pyqt5, _pyside, _pyqt4
if preferred:
if preferred == 'None':
self.__wrapper_version__ = self.__version__
return
preferred = preferred.split(os.pathsep)
available = {'PySide2': _pyside2, 'PyQt5': _pyqt5, 'PySide':
_pyside, 'PyQt4': _pyqt4}
try:
bindings = [available[binding] for binding in preferred]
except KeyError:
raise ImportError('Available preferred Qt bindings: \n'.join(
preferred))
for binding in bindings:
_log('Trying %s' % binding.__name__, verbose)
try:
binding = binding()
except ImportError as e:
_log(' - ImportError("%s")' % e, verbose)
continue
else:
binding.__shim__ = self
binding.QtCompat = self
sys.modules.update({__name__: binding, (__name__ + '.QtWidgets'
): binding.QtWidgets})
return
raise ImportError('No Qt binding were found.')
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n preferred = os.getenv('QT_PREFERRED_BINDING')\n verbose = os.getenv('QT_VERBOSE') is not None\n bindings = _pyside2, _pyqt5, _pyside, _pyqt4\n if preferred:\n if preferred == 'None':\n self.__wrapper_version__ = self.__version__\n return\n preferred = preferred.split(os.pathsep)\n available = {'PySide2': _pyside2, 'PyQt5': _pyqt5, 'PySide':\n _pyside, 'PyQt4': _pyqt4}\n try:\n bindings = [available[binding] for binding in preferred]\n except KeyError:\n raise ImportError('Available preferred Qt bindings: \\n'.join(\n preferred))\n for binding in bindings:\n _log('Trying %s' % binding.__name__, verbose)\n try:\n binding = binding()\n except ImportError as e:\n _log(' - ImportError(\"%s\")' % e, verbose)\n continue\n else:\n binding.__shim__ = self\n binding.QtCompat = self\n sys.modules.update({__name__: binding, (__name__ + '.QtWidgets'\n ): binding.QtWidgets})\n return\n raise ImportError('No Qt binding were found.')\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x(LOGGER, classname, args, forbidden, with_date=False):
if with_date:
LOGGER.info('Instantiating ' + classname + ' at ' + datetime.
datetime.now().strftime('%Y-%m-%d_%H:%M'))
else:
LOGGER.info('Instantiating ' + classname)
for argname in args:
if args[argname] is not None:
if argname in forbidden:
LOGGER.debug('Param ' + argname + '*******')
else:
LOGGER.debug('Param ' + argname + '=' + str(args[argname]))
| log_instantiation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(LOGGER, classname, args, forbidden, with_date=False):\n if with_date:\n LOGGER.info('Instantiating ' + classname + ' at ' + datetime.\n datetime.now().strftime('%Y-%m-%d_%H:%M'))\n else:\n LOGGER.info('Instantiating ' + classname)\n for argname in args:\n if args[argname] is not None:\n if argname in forbidden:\n LOGGER.debug('Param ' + argname + '*******')\n else:\n LOGGER.debug('Param ' + argname + '=' + str(args[argname]))\n",
"role": "user"
},
{
"content": "log_instantiation",
"role": "assistant"
}
] |
def x(params):
if params is not None:
new_params = copy.deepcopy(params)
new_params = dict((k, v) for k, v in new_params.items() if v is not
None)
for key, value in new_params.items():
if isinstance(value, bool):
new_params[key] = 'true' if value else 'false'
return new_params
| filter_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params):\n if params is not None:\n new_params = copy.deepcopy(params)\n new_params = dict((k, v) for k, v in new_params.items() if v is not\n None)\n for key, value in new_params.items():\n if isinstance(value, bool):\n new_params[key] = 'true' if value else 'false'\n return new_params\n",
"role": "user"
},
{
"content": "filter_params",
"role": "assistant"
}
] |
def x(self, response, data=None):
if response.status_code == 200:
data = response.json()
if isinstance(data, dict) and data.get('error_code'):
raise WeiboAPIError(data.get('request'), data.get('error_code'),
data.get('error'))
else:
return data
else:
raise WeiboRequestError(
'Weibo API request error: status code: {code} url:{url} -> method:{method}: data={data}'
.format(code=response.status_code, url=response.url, method=
response.request.method, data=data))
| handler_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, data=None):\n if response.status_code == 200:\n data = response.json()\n if isinstance(data, dict) and data.get('error_code'):\n raise WeiboAPIError(data.get('request'), data.get('error_code'),\n data.get('error'))\n else:\n return data\n else:\n raise WeiboRequestError(\n 'Weibo API request error: status code: {code} url:{url} -> method:{method}: data={data}'\n .format(code=response.status_code, url=response.url, method=\n response.request.method, data=data))\n",
"role": "user"
},
{
"content": "handler_response",
"role": "assistant"
}
] |
def x(self, suffix, params=None):
url = self.base + suffix
params = filter_params(params)
response = self.session.get(url=url, params=params)
return self._handler_response(response)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, suffix, params=None):\n url = self.base + suffix\n params = filter_params(params)\n response = self.session.get(url=url, params=params)\n return self._handler_response(response)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, suffix, params=None, data=None, files=None):
url = self.base + suffix
params = filter_params(params)
response = self.session.post(url=url, params=params, data=data, files=files
)
return self._handler_response(response, data=data)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, suffix, params=None, data=None, files=None):\n url = self.base + suffix\n params = filter_params(params)\n response = self.session.post(url=url, params=params, data=data, files=files\n )\n return self._handler_response(response, data=data)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, **args):
LOGGER.debug('search_handle...')
if self.__has_search_access:
return self.__search_handle(**args)
else:
LOGGER.error('Searching not possible. Reason: No access ' +
'to search system (endpoint: ' + str(self.__search_url) + ').')
return None
| search_handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **args):\n LOGGER.debug('search_handle...')\n if self.__has_search_access:\n return self.__search_handle(**args)\n else:\n LOGGER.error('Searching not possible. Reason: No access ' +\n 'to search system (endpoint: ' + str(self.__search_url) + ').')\n return None\n",
"role": "user"
},
{
"content": "search_handle",
"role": "assistant"
}
] |
def x(self, *fulltext_searchterms, **keyvalue_searchterms):
LOGGER.debug('create_revlookup_query...')
allowed_search_keys = self.__allowed_search_keys
only_search_for_allowed_keys = False
if len(allowed_search_keys) > 0:
only_search_for_allowed_keys = True
fulltext_searchterms_given = True
fulltext_searchterms = b2handle.util.remove_value_none_from_list(
fulltext_searchterms)
if len(fulltext_searchterms) == 0:
fulltext_searchterms_given = False
if fulltext_searchterms_given:
msg = ('Full-text search is not implemented yet.' +
' The provided searchterms ' + str(fulltext_searchterms) +
' can not be used.')
raise ReverseLookupException(msg=msg)
keyvalue_searchterms_given = True
keyvalue_searchterms = b2handle.util.remove_value_none_from_dict(
keyvalue_searchterms)
if len(keyvalue_searchterms) == 0:
keyvalue_searchterms_given = False
if not keyvalue_searchterms_given and not fulltext_searchterms_given:
msg = ('No search terms have been specified. Please specify' +
' at least one key-value-pair.')
raise ReverseLookupException(msg=msg)
counter = 0
query = '?'
for key, value in keyvalue_searchterms.items():
if only_search_for_allowed_keys and key not in allowed_search_keys:
msg = ('Cannot search for key "' + key + '". Only searches ' +
'for keys ' + str(allowed_search_keys) + ' are implemented.')
raise ReverseLookupException(msg=msg)
else:
query = query + '&' + key + '=' + value
counter += 1
query = query.replace('?&', '?')
LOGGER.debug('create_revlookup_query: query: ' + query)
if counter == 0:
msg = 'No valid search terms have been specified.'
raise ReverseLookupException(msg=msg)
return query
| create_revlookup_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *fulltext_searchterms, **keyvalue_searchterms):\n LOGGER.debug('create_revlookup_query...')\n allowed_search_keys = self.__allowed_search_keys\n only_search_for_allowed_keys = False\n if len(allowed_search_keys) > 0:\n only_search_for_allowed_keys = True\n fulltext_searchterms_given = True\n fulltext_searchterms = b2handle.util.remove_value_none_from_list(\n fulltext_searchterms)\n if len(fulltext_searchterms) == 0:\n fulltext_searchterms_given = False\n if fulltext_searchterms_given:\n msg = ('Full-text search is not implemented yet.' +\n ' The provided searchterms ' + str(fulltext_searchterms) +\n ' can not be used.')\n raise ReverseLookupException(msg=msg)\n keyvalue_searchterms_given = True\n keyvalue_searchterms = b2handle.util.remove_value_none_from_dict(\n keyvalue_searchterms)\n if len(keyvalue_searchterms) == 0:\n keyvalue_searchterms_given = False\n if not keyvalue_searchterms_given and not fulltext_searchterms_given:\n msg = ('No search terms have been specified. Please specify' +\n ' at least one key-value-pair.')\n raise ReverseLookupException(msg=msg)\n counter = 0\n query = '?'\n for key, value in keyvalue_searchterms.items():\n if only_search_for_allowed_keys and key not in allowed_search_keys:\n msg = ('Cannot search for key \"' + key + '\". Only searches ' +\n 'for keys ' + str(allowed_search_keys) + ' are implemented.')\n raise ReverseLookupException(msg=msg)\n else:\n query = query + '&' + key + '=' + value\n counter += 1\n query = query.replace('?&', '?')\n LOGGER.debug('create_revlookup_query: query: ' + query)\n if counter == 0:\n msg = 'No valid search terms have been specified.'\n raise ReverseLookupException(msg=msg)\n return query\n",
"role": "user"
},
{
"content": "create_revlookup_query",
"role": "assistant"
}
] |
def x(self, username, password):
auth = b2handle.utilhandle.create_authentication_string(username, password)
self.__revlookup_auth_string = auth
| set_revlookup_auth_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password):\n auth = b2handle.utilhandle.create_authentication_string(username, password)\n self.__revlookup_auth_string = auth\n",
"role": "user"
},
{
"content": "set_revlookup_auth_string",
"role": "assistant"
}
] |
def x(json_filename):
try:
jsonfilecontent = json.loads(open(json_filename, 'r').read())
except ValueError as exc:
raise CredentialsFormatError(msg='Invalid JSON syntax: ' + str(exc))
instance = PIDClientCredentials(credentials_filename=json_filename, **
jsonfilecontent)
return instance
| load_from_JSON | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_filename):\n try:\n jsonfilecontent = json.loads(open(json_filename, 'r').read())\n except ValueError as exc:\n raise CredentialsFormatError(msg='Invalid JSON syntax: ' + str(exc))\n instance = PIDClientCredentials(credentials_filename=json_filename, **\n jsonfilecontent)\n return instance\n",
"role": "user"
},
{
"content": "load_from_JSON",
"role": "assistant"
}
] |
def x(app, fixtures, fixtures_dir='fixtures', raise_does_not_exist=False,
reversible=True, models=[]):
fixture_path = os.path.join(app.__path__[0], fixtures_dir)
if isinstance(fixtures, string_types):
fixtures = [fixtures]
def x(fixture):
return os.path.splitext(fixture)[1][1:]
def x():
for fixture in fixtures:
with open(os.path.join(fixture_path, fixture), 'rb') as f:
objects = serializers.deserialize(get_format(fixture), f,
ignorenonexistent=True)
for obj in objects:
yield obj
def x(func):
@wraps(func)
def x(apps, schema_editor):
try:
original_apps = django.core.serializers.python.apps
django.core.serializers.python.apps = apps
return func(apps, schema_editor)
finally:
django.core.serializers.python.apps = original_apps
return inner
@patch_apps
def x(apps, schema_editor):
for obj in get_objects():
obj.save()
@patch_apps
def x(apps, schema_editor):
for obj in get_objects():
model = apps.get_model(app.__name__, obj.object.__class__.__name__)
kwargs = dict()
if 'id' in obj.object.__dict__:
kwargs.update(id=obj.object.__dict__.get('id'))
elif 'slug' in obj.object.__dict__:
kwargs.update(slug=obj.object.__dict__.get('slug'))
else:
kwargs.update(**obj.object.__dict__)
try:
model.objects.get(**kwargs).delete()
except model.DoesNotExist:
if not raise_does_not_exist:
raise FixtureObjectDoesNotExist(
'Model %s instance with kwargs %s does not exist.' %
(model, kwargs))
kwargs = dict(code=load_fixture)
if reversible:
kwargs['reverse_code'] = unload_fixture
return kwargs
| fixture | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, fixtures, fixtures_dir='fixtures', raise_does_not_exist=False,\n reversible=True, models=[]):\n fixture_path = os.path.join(app.__path__[0], fixtures_dir)\n if isinstance(fixtures, string_types):\n fixtures = [fixtures]\n\n def x(fixture):\n return os.path.splitext(fixture)[1][1:]\n\n def x():\n for fixture in fixtures:\n with open(os.path.join(fixture_path, fixture), 'rb') as f:\n objects = serializers.deserialize(get_format(fixture), f,\n ignorenonexistent=True)\n for obj in objects:\n yield obj\n\n def x(func):\n\n @wraps(func)\n def x(apps, schema_editor):\n try:\n original_apps = django.core.serializers.python.apps\n django.core.serializers.python.apps = apps\n return func(apps, schema_editor)\n finally:\n django.core.serializers.python.apps = original_apps\n return inner\n\n @patch_apps\n def x(apps, schema_editor):\n for obj in get_objects():\n obj.save()\n\n @patch_apps\n def x(apps, schema_editor):\n for obj in get_objects():\n model = apps.get_model(app.__name__, obj.object.__class__.__name__)\n kwargs = dict()\n if 'id' in obj.object.__dict__:\n kwargs.update(id=obj.object.__dict__.get('id'))\n elif 'slug' in obj.object.__dict__:\n kwargs.update(slug=obj.object.__dict__.get('slug'))\n else:\n kwargs.update(**obj.object.__dict__)\n try:\n model.objects.get(**kwargs).delete()\n except model.DoesNotExist:\n if not raise_does_not_exist:\n raise FixtureObjectDoesNotExist(\n 'Model %s instance with kwargs %s does not exist.' %\n (model, kwargs))\n kwargs = dict(code=load_fixture)\n if reversible:\n kwargs['reverse_code'] = unload_fixture\n return kwargs\n",
"role": "user"
},
{
"content": "fixture",
"role": "assistant"
}
] |
def x(self):
return [i for i in xrange(self.size()) if self.test(i)]
| nonzero | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [i for i in xrange(self.size()) if self.test(i)]\n",
"role": "user"
},
{
"content": "nonzero",
"role": "assistant"
}
] |
def x(self):
val = self.tostring()
st = '{0:0x}'.format(int(val, 2))
return st.zfill(len(self.bitmap) * 2)
| tohexstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n val = self.tostring()\n st = '{0:0x}'.format(int(val, 2))\n return st.zfill(len(self.bitmap) * 2)\n",
"role": "user"
},
{
"content": "tohexstring",
"role": "assistant"
}
] |
def x(cls, hexstring):
bitstring = format(int(hexstring, 16), '0' + str(len(hexstring) / 4) + 'b')
return cls.fromstring(bitstring)
| fromhexstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, hexstring):\n bitstring = format(int(hexstring, 16), '0' + str(len(hexstring) / 4) + 'b')\n return cls.fromstring(bitstring)\n",
"role": "user"
},
{
"content": "fromhexstring",
"role": "assistant"
}
] |
def x(cls, bitstring):
nbits = len(bitstring)
bm = cls(nbits)
for i in xrange(nbits):
if bitstring[-i - 1] == '1':
bm.set(i)
elif bitstring[-i - 1] != '0':
raise Exception('Invalid bit string!')
return bm
| fromstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bitstring):\n nbits = len(bitstring)\n bm = cls(nbits)\n for i in xrange(nbits):\n if bitstring[-i - 1] == '1':\n bm.set(i)\n elif bitstring[-i - 1] != '0':\n raise Exception('Invalid bit string!')\n return bm\n",
"role": "user"
},
{
"content": "fromstring",
"role": "assistant"
}
] |
def x():
cfg = get_config()
verbose = cfg.verbose
try:
return git_versions_from_keywords(get_keywords(), cfg.tag_prefix,
verbose)
except NotThisMethod:
pass
try:
root = os.path.realpath(__file__)
for i in cfg.versionfile_source.split('/'):
root = os.path.dirname(root)
except NameError:
return {'version': '0+unknown', 'full-revisionid': None, 'dirty':
None, 'error': 'unable to find root of source tree'}
try:
pieces = git_pieces_from_vcs(cfg.tag_prefix, root, verbose)
return render(pieces, cfg.style)
except NotThisMethod:
pass
try:
if cfg.parentdir_prefix:
return versions_from_parentdir(cfg.parentdir_prefix, root, verbose)
except NotThisMethod:
pass
_version_path = os.path.join(os.path.dirname(__file__), '_version')
if os.path.exists(_version_path):
with open(_version_path) as f:
l = f.readline().strip()
return {'version': l, 'error': None, 'dirty': None,
'full-revisionid': l}
return {'version': '0+unknown', 'full-revisionid': None, 'dirty': None,
'error': 'unable to compute version'}
| get_versions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cfg = get_config()\n verbose = cfg.verbose\n try:\n return git_versions_from_keywords(get_keywords(), cfg.tag_prefix,\n verbose)\n except NotThisMethod:\n pass\n try:\n root = os.path.realpath(__file__)\n for i in cfg.versionfile_source.split('/'):\n root = os.path.dirname(root)\n except NameError:\n return {'version': '0+unknown', 'full-revisionid': None, 'dirty':\n None, 'error': 'unable to find root of source tree'}\n try:\n pieces = git_pieces_from_vcs(cfg.tag_prefix, root, verbose)\n return render(pieces, cfg.style)\n except NotThisMethod:\n pass\n try:\n if cfg.parentdir_prefix:\n return versions_from_parentdir(cfg.parentdir_prefix, root, verbose)\n except NotThisMethod:\n pass\n _version_path = os.path.join(os.path.dirname(__file__), '_version')\n if os.path.exists(_version_path):\n with open(_version_path) as f:\n l = f.readline().strip()\n return {'version': l, 'error': None, 'dirty': None,\n 'full-revisionid': l}\n return {'version': '0+unknown', 'full-revisionid': None, 'dirty': None,\n 'error': 'unable to compute version'}\n",
"role": "user"
},
{
"content": "get_versions",
"role": "assistant"
}
] |
def x(value):
http_verify_value = value
bool_values = {'false': False, 'true': True}
if isinstance(value, bool):
http_verify_value = value
elif (isinstance(value, str) or isinstance(value, unicode)
) and value.lower() in bool_values.keys():
http_verify_value = bool_values[value.lower()]
return http_verify_value
| get_valid_https_verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n http_verify_value = value\n bool_values = {'false': False, 'true': True}\n if isinstance(value, bool):\n http_verify_value = value\n elif (isinstance(value, str) or isinstance(value, unicode)\n ) and value.lower() in bool_values.keys():\n http_verify_value = bool_values[value.lower()]\n return http_verify_value\n",
"role": "user"
},
{
"content": "get_valid_https_verify",
"role": "assistant"
}
] |
def x(self):
super(RequireJSFilter, self).setup()
excluded_files = []
for bundle in self.excluded_bundles:
excluded_files.extend(map(lambda f: os.path.splitext(f)[0], bundle.
contents))
if excluded_files:
self.argv.append('exclude={0}'.format(','.join(excluded_files)))
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(RequireJSFilter, self).setup()\n excluded_files = []\n for bundle in self.excluded_bundles:\n excluded_files.extend(map(lambda f: os.path.splitext(f)[0], bundle.\n contents))\n if excluded_files:\n self.argv.append('exclude={0}'.format(','.join(excluded_files)))\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(self):
super(CleanCSSFilter, self).setup()
self.root = current_app.config.get('COLLECT_STATIC_ROOT')
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(CleanCSSFilter, self).setup()\n self.root = current_app.config.get('COLLECT_STATIC_ROOT')\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_rebase_opt'):
out, err = Popen(['cleancss', '--version'], stdout=PIPE).communicate()
ver = int(out[:out.index(b'.')])
self._rebase_opt = ['--root', self.root] if ver == 3 else []
return self._rebase_opt
| rebase_opt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not hasattr(self, '_rebase_opt'):\n out, err = Popen(['cleancss', '--version'], stdout=PIPE).communicate()\n ver = int(out[:out.index(b'.')])\n self._rebase_opt = ['--root', self.root] if ver == 3 else []\n return self._rebase_opt\n",
"role": "user"
},
{
"content": "rebase_opt",
"role": "assistant"
}
] |
def x(self, _in, out, **kw):
args = [self.binary or 'cleancss'] + self.rebase_opt
if self.extra_args:
args.extend(self.extra_args)
self.subprocess(args, out, _in)
| input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _in, out, **kw):\n args = [self.binary or 'cleancss'] + self.rebase_opt\n if self.extra_args:\n args.extend(self.extra_args)\n self.subprocess(args, out, _in)\n",
"role": "user"
},
{
"content": "input",
"role": "assistant"
}
] |
def x(self, _in, out, **kwargs):
out.write(
'angular.module("{0}", ["gettext"]).run(["gettextCatalog", function (gettextCatalog) {{'
.format(self.catalog_name))
out.write(_in.read())
out.write('}]);')
| output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _in, out, **kwargs):\n out.write(\n 'angular.module(\"{0}\", [\"gettext\"]).run([\"gettextCatalog\", function (gettextCatalog) {{'\n .format(self.catalog_name))\n out.write(_in.read())\n out.write('}]);')\n",
"role": "user"
},
{
"content": "output",
"role": "assistant"
}
] |
def x(self, _in, out, **kwargs):
language_code = _re_language_code.search(_in.read()).group('language_code')
_in.seek(0)
catalog = read_po(_in)
out.write('gettextCatalog.setStrings("{0}", '.format(language_code))
out.write(json.dumps({key: value.string for key, value in catalog.
_messages.items() if key and value.string}))
out.write(');')
| input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _in, out, **kwargs):\n language_code = _re_language_code.search(_in.read()).group('language_code')\n _in.seek(0)\n catalog = read_po(_in)\n out.write('gettextCatalog.setStrings(\"{0}\", '.format(language_code))\n out.write(json.dumps({key: value.string for key, value in catalog.\n _messages.items() if key and value.string}))\n out.write(');')\n",
"role": "user"
},
{
"content": "input",
"role": "assistant"
}
] |
def x(self, username, password):
constraint = sql.or_(models.USERS.c.name == username, models.USERS.c.
email == username)
user = self.identity_from_db(models.USERS, constraint)
if user is None:
raise dci_exc.DCIException('User %s does not exists.' % username,
status_code=401)
return user, auth.check_passwords_equal(password, user.password)
| get_user_and_check_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password):\n constraint = sql.or_(models.USERS.c.name == username, models.USERS.c.\n email == username)\n user = self.identity_from_db(models.USERS, constraint)\n if user is None:\n raise dci_exc.DCIException('User %s does not exists.' % username,\n status_code=401)\n return user, auth.check_passwords_equal(password, user.password)\n",
"role": "user"
},
{
"content": "get_user_and_check_auth",
"role": "assistant"
}
] |
def x(self):
path = urlparse(self.url).path
path = path.split('/')[1:]
sanity_filter = re.compile('[\\da-z-_]+', re.IGNORECASE)
self.product = sanity_filter.match(path[0]).group(0)
self.component = sanity_filter.match(path[1]).group(0)
self.issue_id = int(path[3])
github_url = '%s/%s/%s/issues/%s' % (_URL_BASE, self.product, self.
component, self.issue_id)
result = requests.get(github_url)
self.status_code = result.status_code
if result.status_code == 200:
result = result.json()
self.title = result['title']
self.reporter = result['user']['login']
if result['assignee'] is not None:
self.assignee = result['assignee']['login']
self.status = result['state']
self.created_at = result['created_at']
self.updated_at = result['updated_at']
self.closed_at = result['closed_at']
elif result.status_code == 404:
self.title = 'private issue'
| retrieve_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = urlparse(self.url).path\n path = path.split('/')[1:]\n sanity_filter = re.compile('[\\\\da-z-_]+', re.IGNORECASE)\n self.product = sanity_filter.match(path[0]).group(0)\n self.component = sanity_filter.match(path[1]).group(0)\n self.issue_id = int(path[3])\n github_url = '%s/%s/%s/issues/%s' % (_URL_BASE, self.product, self.\n component, self.issue_id)\n result = requests.get(github_url)\n self.status_code = result.status_code\n if result.status_code == 200:\n result = result.json()\n self.title = result['title']\n self.reporter = result['user']['login']\n if result['assignee'] is not None:\n self.assignee = result['assignee']['login']\n self.status = result['state']\n self.created_at = result['created_at']\n self.updated_at = result['updated_at']\n self.closed_at = result['closed_at']\n elif result.status_code == 404:\n self.title = 'private issue'\n",
"role": "user"
},
{
"content": "retrieve_info",
"role": "assistant"
}
] |
def x(cls, basename, function, *args, method=True, **kwargs):
@utility.disk_cache(basename, cls.directory(), method=method)
def x(*args, **kwargs):
return function(*args, **kwargs)
return wrapper(*args, **kwargs)
| disk_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, basename, function, *args, method=True, **kwargs):\n\n @utility.disk_cache(basename, cls.directory(), method=method)\n def x(*args, **kwargs):\n return function(*args, **kwargs)\n return wrapper(*args, **kwargs)\n",
"role": "user"
},
{
"content": "disk_cache",
"role": "assistant"
}
] |
def x(cls, url, filename=None):
return utility.download(url, cls.directory(), filename)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, url, filename=None):\n return utility.download(url, cls.directory(), filename)\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(cls, prefix=None):
prefix = prefix or utility.read_config().directory
name = cls.__name__.lower()
directory = os.path.expanduser(os.path.join(prefix, name))
utility.ensure_directory(directory)
return directory
| directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, prefix=None):\n prefix = prefix or utility.read_config().directory\n name = cls.__name__.lower()\n directory = os.path.expanduser(os.path.join(prefix, name))\n utility.ensure_directory(directory)\n return directory\n",
"role": "user"
},
{
"content": "directory",
"role": "assistant"
}
] |
def x(topic_id, remoteci_id, db_conn=None):
db_conn = db_conn or flask.g.db_conn
__TABLE = models.JOBS
query = sql.select([__TABLE.c.rconfiguration_id]).order_by(sql.desc(
__TABLE.c.created_at)).where(sql.and_(__TABLE.c.topic_id ==
topic_id, __TABLE.c.remoteci_id == remoteci_id)).limit(1)
rconfiguration_id = db_conn.execute(query).fetchone()
if rconfiguration_id is not None:
return str(rconfiguration_id[0])
else:
return None
| get_last_rconfiguration_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topic_id, remoteci_id, db_conn=None):\n db_conn = db_conn or flask.g.db_conn\n __TABLE = models.JOBS\n query = sql.select([__TABLE.c.rconfiguration_id]).order_by(sql.desc(\n __TABLE.c.created_at)).where(sql.and_(__TABLE.c.topic_id ==\n topic_id, __TABLE.c.remoteci_id == remoteci_id)).limit(1)\n rconfiguration_id = db_conn.execute(query).fetchone()\n if rconfiguration_id is not None:\n return str(rconfiguration_id[0])\n else:\n return None\n",
"role": "user"
},
{
"content": "get_last_rconfiguration_id",
"role": "assistant"
}
] |
def x(topic_id, remoteci_id, db_conn=None):
db_conn = db_conn or flask.g.db_conn
last_rconfiguration_id = get_last_rconfiguration_id(topic_id,
remoteci_id, db_conn=db_conn)
_RCONFIGURATIONS = models.REMOTECIS_RCONFIGURATIONS
_J_RCONFIGURATIONS = models.JOIN_REMOTECIS_RCONFIGURATIONS
query = sql.select([_RCONFIGURATIONS]).select_from(_J_RCONFIGURATIONS.
join(_RCONFIGURATIONS)).where(_J_RCONFIGURATIONS.c.remoteci_id ==
remoteci_id)
query = query.where(sql.and_(_RCONFIGURATIONS.c.state != 'archived',
_RCONFIGURATIONS.c.topic_id == topic_id))
query = query.order_by(sql.desc(_RCONFIGURATIONS.c.created_at))
query = query.order_by(sql.asc(_RCONFIGURATIONS.c.name))
all_rconfigurations = db_conn.execute(query).fetchall()
if len(all_rconfigurations) > 0:
for i in range(len(all_rconfigurations)):
if str(all_rconfigurations[i]['id']) == last_rconfiguration_id:
return all_rconfigurations[i - 1]
return all_rconfigurations[0]
else:
return None
| get_remoteci_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topic_id, remoteci_id, db_conn=None):\n db_conn = db_conn or flask.g.db_conn\n last_rconfiguration_id = get_last_rconfiguration_id(topic_id,\n remoteci_id, db_conn=db_conn)\n _RCONFIGURATIONS = models.REMOTECIS_RCONFIGURATIONS\n _J_RCONFIGURATIONS = models.JOIN_REMOTECIS_RCONFIGURATIONS\n query = sql.select([_RCONFIGURATIONS]).select_from(_J_RCONFIGURATIONS.\n join(_RCONFIGURATIONS)).where(_J_RCONFIGURATIONS.c.remoteci_id ==\n remoteci_id)\n query = query.where(sql.and_(_RCONFIGURATIONS.c.state != 'archived', \n _RCONFIGURATIONS.c.topic_id == topic_id))\n query = query.order_by(sql.desc(_RCONFIGURATIONS.c.created_at))\n query = query.order_by(sql.asc(_RCONFIGURATIONS.c.name))\n all_rconfigurations = db_conn.execute(query).fetchall()\n if len(all_rconfigurations) > 0:\n for i in range(len(all_rconfigurations)):\n if str(all_rconfigurations[i]['id']) == last_rconfiguration_id:\n return all_rconfigurations[i - 1]\n return all_rconfigurations[0]\n else:\n return None\n",
"role": "user"
},
{
"content": "get_remoteci_configuration",
"role": "assistant"
}
] |
def x(self, request: Request) ->None:
handler_factories = self._registry.lookup(request)
if len(handler_factories) != 1:
raise ConfigurationException(
'There is no handler registered for this request')
handler = handler_factories[0]()
handler.handle(request)
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request: Request) ->None:\n handler_factories = self._registry.lookup(request)\n if len(handler_factories) != 1:\n raise ConfigurationException(\n 'There is no handler registered for this request')\n handler = handler_factories[0]()\n handler.handle(request)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, request: Request) ->None:
handler_factories = self._registry.lookup(request)
for factory in handler_factories:
handler = factory()
handler.handle(request)
| publish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request: Request) ->None:\n handler_factories = self._registry.lookup(request)\n for factory in handler_factories:\n handler = factory()\n handler.handle(request)\n",
"role": "user"
},
{
"content": "publish",
"role": "assistant"
}
] |
def x(self, request: Request) ->None:
if self._producer is None:
raise ConfigurationException(
'Command Processor requires a BrightsideProducer to post to a Broker'
)
if self._message_mapper_registry is None:
raise ConfigurationException(
'Command Processor requires a BrightsideMessage Mapper Registry to post to a Broker'
)
message_mapper = self._message_mapper_registry.lookup(request)
message = message_mapper(request)
self._message_store.add(message)
self._producer.send(message)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request: Request) ->None:\n if self._producer is None:\n raise ConfigurationException(\n 'Command Processor requires a BrightsideProducer to post to a Broker'\n )\n if self._message_mapper_registry is None:\n raise ConfigurationException(\n 'Command Processor requires a BrightsideMessage Mapper Registry to post to a Broker'\n )\n message_mapper = self._message_mapper_registry.lookup(request)\n message = message_mapper(request)\n self._message_store.add(message)\n self._producer.send(message)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(cls, wrapped_node):
for child in wrapped_node.children:
if child.is_text and child.value.strip() == '':
child.delete()
else:
cls.ignore_whitespace_text_nodes(child)
| ignore_whitespace_text_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, wrapped_node):\n for child in wrapped_node.children:\n if child.is_text and child.value.strip() == '':\n child.delete()\n else:\n cls.ignore_whitespace_text_nodes(child)\n",
"role": "user"
},
{
"content": "ignore_whitespace_text_nodes",
"role": "assistant"
}
] |
def x(self, name, impl_node):
if '}' in name:
ns_uri, name = name.split('}')
ns_uri = ns_uri[1:]
prefix = self.get_ns_prefix_for_uri(impl_node, ns_uri)
elif ':' in name:
prefix, name = name.split(':')
ns_uri = self.get_ns_uri_for_prefix(impl_node, prefix)
if ns_uri is None:
raise exceptions.UnknownNamespaceException(
"Prefix '%s' does not have a defined namespace URI" % prefix)
else:
prefix, ns_uri = None, None
return prefix, name, ns_uri
| get_ns_info_from_node_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, impl_node):\n if '}' in name:\n ns_uri, name = name.split('}')\n ns_uri = ns_uri[1:]\n prefix = self.get_ns_prefix_for_uri(impl_node, ns_uri)\n elif ':' in name:\n prefix, name = name.split(':')\n ns_uri = self.get_ns_uri_for_prefix(impl_node, prefix)\n if ns_uri is None:\n raise exceptions.UnknownNamespaceException(\n \"Prefix '%s' does not have a defined namespace URI\" % prefix)\n else:\n prefix, ns_uri = None, None\n return prefix, name, ns_uri\n",
"role": "user"
},
{
"content": "get_ns_info_from_node_name",
"role": "assistant"
}
] |
def x(self, count=1, to_name=None):
elem = self._element
up_count = 0
while True:
if elem.is_root or elem.parent is None:
break
elem = elem.parent
if to_name is None:
up_count += 1
if up_count >= count:
break
elif elem.name == to_name:
break
return Builder(elem)
| up | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count=1, to_name=None):\n elem = self._element\n up_count = 0\n while True:\n if elem.is_root or elem.parent is None:\n break\n elem = elem.parent\n if to_name is None:\n up_count += 1\n if up_count >= count:\n break\n elif elem.name == to_name:\n break\n return Builder(elem)\n",
"role": "user"
},
{
"content": "up",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
child_element = self._element.add_element(*args, **kwargs)
return Builder(child_element)
| element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n child_element = self._element.add_element(*args, **kwargs)\n return Builder(child_element)\n",
"role": "user"
},
{
"content": "element",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
self._element.set_attributes(*args, **kwargs)
return self
| attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n self._element.set_attributes(*args, **kwargs)\n return self\n",
"role": "user"
},
{
"content": "attributes",
"role": "assistant"
}
] |
def x(self, target, data):
self._element.add_instruction(target, data)
return self
| processing_instruction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, data):\n self._element.add_instruction(target, data)\n return self\n",
"role": "user"
},
{
"content": "processing_instruction",
"role": "assistant"
}
] |
def x(self, prefix, ns_uri):
self._element.set_ns_prefix(prefix, ns_uri)
return self
| ns_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prefix, ns_uri):\n self._element.set_ns_prefix(prefix, ns_uri)\n return self\n",
"role": "user"
},
{
"content": "ns_prefix",
"role": "assistant"
}
] |
def x(pkey, digest='sha256'):
req = crypto.X509Req()
req.get_subject().C = 'FR'
req.get_subject().ST = 'IDF'
req.get_subject().L = 'Paris'
req.get_subject().O = 'RedHat'
req.get_subject().OU = 'DCI'
req.get_subject().CN = 'DCI-remoteCI'
req.set_pubkey(pkey)
req.sign(pkey, digest)
return req
| createCertRequest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pkey, digest='sha256'):\n req = crypto.X509Req()\n req.get_subject().C = 'FR'\n req.get_subject().ST = 'IDF'\n req.get_subject().L = 'Paris'\n req.get_subject().O = 'RedHat'\n req.get_subject().OU = 'DCI'\n req.get_subject().CN = 'DCI-remoteCI'\n req.set_pubkey(pkey)\n req.sign(pkey, digest)\n return req\n",
"role": "user"
},
{
"content": "createCertRequest",
"role": "assistant"
}
] |
def x(id, table, name=None, get_id=False):
where_clause = table.c.id == id
if name:
where_clause = table.c.name == name
if 'state' in table.columns:
where_clause = sql.and_(table.c.state != 'archived', where_clause)
query = sql.select([table]).where(where_clause)
result = flask.g.db_conn.execute(query).fetchone()
if result is None:
raise dci_exc.DCIException('Resource "%s" not found.' % id,
status_code=404)
if get_id:
return result.id
return result
| verify_existence_and_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id, table, name=None, get_id=False):\n where_clause = table.c.id == id\n if name:\n where_clause = table.c.name == name\n if 'state' in table.columns:\n where_clause = sql.and_(table.c.state != 'archived', where_clause)\n query = sql.select([table]).where(where_clause)\n result = flask.g.db_conn.execute(query).fetchone()\n if result is None:\n raise dci_exc.DCIException('Resource \"%s\" not found.' % id,\n status_code=404)\n if get_id:\n return result.id\n return result\n",
"role": "user"
},
{
"content": "verify_existence_and_get",
"role": "assistant"
}
] |
def x(user):
if user.is_super_admin() or user.is_read_only_user():
query = sql.select([models.TOPICS])
else:
query = sql.select([models.JOINS_TOPICS_TEAMS.c.topic_id]).select_from(
models.JOINS_TOPICS_TEAMS.join(models.TOPICS, sql.and_(models.
JOINS_TOPICS_TEAMS.c.topic_id == models.TOPICS.c.id, models.
TOPICS.c.state == 'active'))).where(sql.or_(models.
JOINS_TOPICS_TEAMS.c.team_id.in_(user.teams_ids), models.
JOINS_TOPICS_TEAMS.c.team_id.in_(user.child_teams_ids)))
rows = flask.g.db_conn.execute(query).fetchall()
return [str(row[0]) for row in rows]
| user_topic_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n if user.is_super_admin() or user.is_read_only_user():\n query = sql.select([models.TOPICS])\n else:\n query = sql.select([models.JOINS_TOPICS_TEAMS.c.topic_id]).select_from(\n models.JOINS_TOPICS_TEAMS.join(models.TOPICS, sql.and_(models.\n JOINS_TOPICS_TEAMS.c.topic_id == models.TOPICS.c.id, models.\n TOPICS.c.state == 'active'))).where(sql.or_(models.\n JOINS_TOPICS_TEAMS.c.team_id.in_(user.teams_ids), models.\n JOINS_TOPICS_TEAMS.c.team_id.in_(user.child_teams_ids)))\n rows = flask.g.db_conn.execute(query).fetchall()\n return [str(row[0]) for row in rows]\n",
"role": "user"
},
{
"content": "user_topic_ids",
"role": "assistant"
}
] |
def x(user, topic_id):
if user.is_super_admin() or user.is_read_only_user():
return
if str(topic_id) not in user_topic_ids(user):
raise dci_exc.Unauthorized()
| verify_team_in_topic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, topic_id):\n if user.is_super_admin() or user.is_read_only_user():\n return\n if str(topic_id) not in user_topic_ids(user):\n raise dci_exc.Unauthorized()\n",
"role": "user"
},
{
"content": "verify_team_in_topic",
"role": "assistant"
}
] |
def x(rows, root_table_name):
result_rows = []
for row in rows:
row = dict(row)
result_row = {}
prefixes_to_remove = []
for field in row:
if field.startswith('next_topic'):
prefix = 'next_topic'
suffix = field[11:]
if suffix == 'id_1':
suffix = 'id'
else:
prefix, suffix = field.split('_', 1)
if suffix == 'id' and row[field] is None:
prefixes_to_remove.append(prefix)
if prefix not in result_row:
result_row[prefix] = {suffix: row[field]}
else:
result_row[prefix].update({suffix: row[field]})
for prefix_to_remove in prefixes_to_remove:
result_row.pop(prefix_to_remove)
root_table_fields = result_row.pop(root_table_name)
result_row.update(root_table_fields)
result_rows.append(result_row)
return result_rows
| format_level_1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rows, root_table_name):\n result_rows = []\n for row in rows:\n row = dict(row)\n result_row = {}\n prefixes_to_remove = []\n for field in row:\n if field.startswith('next_topic'):\n prefix = 'next_topic'\n suffix = field[11:]\n if suffix == 'id_1':\n suffix = 'id'\n else:\n prefix, suffix = field.split('_', 1)\n if suffix == 'id' and row[field] is None:\n prefixes_to_remove.append(prefix)\n if prefix not in result_row:\n result_row[prefix] = {suffix: row[field]}\n else:\n result_row[prefix].update({suffix: row[field]})\n for prefix_to_remove in prefixes_to_remove:\n result_row.pop(prefix_to_remove)\n root_table_fields = result_row.pop(root_table_name)\n result_row.update(root_table_fields)\n result_rows.append(result_row)\n return result_rows\n",
"role": "user"
},
{
"content": "format_level_1",
"role": "assistant"
}
] |
def x(rows, list_embeds, embed_many):
def x(list_of_dicts):
result = []
set_ids = set()
for v in list_of_dicts:
if v['id'] in set_ids:
continue
set_ids.add(v['id'])
result.append(v)
return result
row_ids_to_embed_values = {}
for row in rows:
if row['id'] not in row_ids_to_embed_values:
row_ids_to_embed_values[row['id']] = {}
for embd in list_embeds:
if embd not in row:
continue
if embd not in row_ids_to_embed_values[row['id']]:
if embed_many[embd]:
row_ids_to_embed_values[row['id']][embd] = [row[embd]]
else:
row_ids_to_embed_values[row['id']][embd] = row[embd]
elif embed_many[embd]:
row_ids_to_embed_values[row['id']][embd].append(row[embd])
for embd in list_embeds:
if embd in row_ids_to_embed_values[row['id']]:
embed_values = row_ids_to_embed_values[row['id']][embd]
if isinstance(embed_values, list):
row_ids_to_embed_values[row['id']][embd] = _uniqify_list(
embed_values)
else:
row_ids_to_embed_values[row['id']][embd] = {}
if embed_many[embd]:
row_ids_to_embed_values[row['id']][embd] = []
result = []
seen = set()
for row in rows:
if row['id'] in seen:
continue
seen.add(row['id'])
new_row = {}
for field in row:
if field not in list_embeds:
new_row[field] = row[field]
row_ids_to_embed_values_keys = list(row_ids_to_embed_values[new_row
['id']].keys())
row_ids_to_embed_values_keys.sort()
for embd in list_embeds:
if embd in row_ids_to_embed_values_keys:
if '.' in embd:
prefix, suffix = embd.split('.', 1)
new_row[prefix][suffix] = row_ids_to_embed_values[new_row
['id']][embd]
else:
new_row[embd] = row_ids_to_embed_values[new_row['id']][embd
]
else:
new_row_embd_value = {}
if embed_many[embd]:
new_row_embd_value = []
if '.' in embd:
prefix, suffix = embd.split('.', 1)
new_row[prefix][suffix] = new_row_embd_value
else:
new_row[embd] = new_row_embd_value
result.append(new_row)
return result
| format_level_2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rows, list_embeds, embed_many):\n\n def x(list_of_dicts):\n result = []\n set_ids = set()\n for v in list_of_dicts:\n if v['id'] in set_ids:\n continue\n set_ids.add(v['id'])\n result.append(v)\n return result\n row_ids_to_embed_values = {}\n for row in rows:\n if row['id'] not in row_ids_to_embed_values:\n row_ids_to_embed_values[row['id']] = {}\n for embd in list_embeds:\n if embd not in row:\n continue\n if embd not in row_ids_to_embed_values[row['id']]:\n if embed_many[embd]:\n row_ids_to_embed_values[row['id']][embd] = [row[embd]]\n else:\n row_ids_to_embed_values[row['id']][embd] = row[embd]\n elif embed_many[embd]:\n row_ids_to_embed_values[row['id']][embd].append(row[embd])\n for embd in list_embeds:\n if embd in row_ids_to_embed_values[row['id']]:\n embed_values = row_ids_to_embed_values[row['id']][embd]\n if isinstance(embed_values, list):\n row_ids_to_embed_values[row['id']][embd] = _uniqify_list(\n embed_values)\n else:\n row_ids_to_embed_values[row['id']][embd] = {}\n if embed_many[embd]:\n row_ids_to_embed_values[row['id']][embd] = []\n result = []\n seen = set()\n for row in rows:\n if row['id'] in seen:\n continue\n seen.add(row['id'])\n new_row = {}\n for field in row:\n if field not in list_embeds:\n new_row[field] = row[field]\n row_ids_to_embed_values_keys = list(row_ids_to_embed_values[new_row\n ['id']].keys())\n row_ids_to_embed_values_keys.sort()\n for embd in list_embeds:\n if embd in row_ids_to_embed_values_keys:\n if '.' in embd:\n prefix, suffix = embd.split('.', 1)\n new_row[prefix][suffix] = row_ids_to_embed_values[new_row\n ['id']][embd]\n else:\n new_row[embd] = row_ids_to_embed_values[new_row['id']][embd\n ]\n else:\n new_row_embd_value = {}\n if embed_many[embd]:\n new_row_embd_value = []\n if '.' in embd:\n prefix, suffix = embd.split('.', 1)\n new_row[prefix][suffix] = new_row_embd_value\n else:\n new_row[embd] = new_row_embd_value\n result.append(new_row)\n return result\n",
"role": "user"
},
{
"content": "format_level_2",
"role": "assistant"
}
] |
def x():
now = datetime.datetime.utcnow().isoformat()
etag = utils.gen_etag()
values = {'id': utils.gen_uuid(), 'created_at': now, 'updated_at': now,
'etag': etag}
return values
| common_values_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n now = datetime.datetime.utcnow().isoformat()\n etag = utils.gen_etag()\n values = {'id': utils.gen_uuid(), 'created_at': now, 'updated_at': now,\n 'etag': etag}\n return values\n",
"role": "user"
},
{
"content": "common_values_dict",
"role": "assistant"
}
] |
def x(self, fetchall=False, fetchone=False, use_labels=True):
query = self.get_query(use_labels=use_labels)
if fetchall:
return flask.g.db_conn.execute(query).fetchall()
elif fetchone:
return flask.g.db_conn.execute(query).fetchone()
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fetchall=False, fetchone=False, use_labels=True):\n query = self.get_query(use_labels=use_labels)\n if fetchall:\n return flask.g.db_conn.execute(query).fetchall()\n elif fetchone:\n return flask.g.db_conn.execute(query).fetchone()\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(identity):
return flask.Response(json.dumps({'identity': {'id': identity.id,
'etag': identity.etag, 'name': identity.name, 'fullname': identity.
fullname, 'email': identity.email, 'timezone': identity.timezone,
'teams': _encode_dict(identity.teams)}}), 200, headers={'ETag':
identity.etag}, content_type='application/json')
| get_identity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(identity):\n return flask.Response(json.dumps({'identity': {'id': identity.id,\n 'etag': identity.etag, 'name': identity.name, 'fullname': identity.\n fullname, 'email': identity.email, 'timezone': identity.timezone,\n 'teams': _encode_dict(identity.teams)}}), 200, headers={'ETag':\n identity.etag}, content_type='application/json')\n",
"role": "user"
},
{
"content": "get_identity",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.