source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
if self._host == 'knoema.com':
return
url = self._get_url('/api/1.0/frontend/tags')
req = urllib.request.Request(url)
try:
resp = urllib.request.urlopen(req)
except:
raise ValueError('The specified host {} does not exist'.format(self
._host))
| check_correct_host | [
{
"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._host == 'knoema.com':\n return\n url = self._get_url('/api/1.0/frontend/tags')\n req = urllib.request.Request(url)\n try:\n resp = urllib.request.urlopen(req)\n except:\n raise ValueError('The specified host {} does not exist'.format(self\n ._host))\n",
"role": "user"
},
{
"content": "check_correct_host",
"role": "assistant"
}
] |
def x(self, datasetid):
path = '/api/1.0/meta/dataset/{}'
return self._api_get(definition.Dataset, path.format(datasetid))
| get_dataset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datasetid):\n path = '/api/1.0/meta/dataset/{}'\n return self._api_get(definition.Dataset, path.format(datasetid))\n",
"role": "user"
},
{
"content": "get_dataset",
"role": "assistant"
}
] |
def x(self, dataset, dimension):
path = '/api/1.0/meta/dataset/{}/dimension/{}'
return self._api_get(definition.Dimension, path.format(dataset, dimension))
| get_dimension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset, dimension):\n path = '/api/1.0/meta/dataset/{}/dimension/{}'\n return self._api_get(definition.Dimension, path.format(dataset, dimension))\n",
"role": "user"
},
{
"content": "get_dimension",
"role": "assistant"
}
] |
def x(self, dataset):
path = '/api/1.0/meta/dataset/{}/daterange'
return self._api_get(definition.DateRange, path.format(dataset))
| get_daterange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset):\n path = '/api/1.0/meta/dataset/{}/daterange'\n return self._api_get(definition.DateRange, path.format(dataset))\n",
"role": "user"
},
{
"content": "get_daterange",
"role": "assistant"
}
] |
def x(self, pivotrequest):
path = '/api/1.0/data/pivot/'
return self._api_post(definition.PivotResponse, path, pivotrequest)
| get_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pivotrequest):\n path = '/api/1.0/data/pivot/'\n return self._api_post(definition.PivotResponse, path, pivotrequest)\n",
"role": "user"
},
{
"content": "get_data",
"role": "assistant"
}
] |
def x(self, request):
path = '/api/1.0/data/raw/'
res = self._api_post(definition.RawDataResponse, path, request)
token = res.continuation_token
while token is not None:
res2 = self.get_data_raw_with_token(token)
res.series += res2.series
token = res2.continuation_token
return res
| get_data_raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n path = '/api/1.0/data/raw/'\n res = self._api_post(definition.RawDataResponse, path, request)\n token = res.continuation_token\n while token is not None:\n res2 = self.get_data_raw_with_token(token)\n res.series += res2.series\n token = res2.continuation_token\n return res\n",
"role": "user"
},
{
"content": "get_data_raw",
"role": "assistant"
}
] |
def x(self, mnemonics):
path = '/api/1.0/data/mnemonics?mnemonics={0}'
return self._api_get(definition.MnemonicsResponseList, path.format(
mnemonics))
| get_mnemonics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mnemonics):\n path = '/api/1.0/data/mnemonics?mnemonics={0}'\n return self._api_get(definition.MnemonicsResponseList, path.format(\n mnemonics))\n",
"role": "user"
},
{
"content": "get_mnemonics",
"role": "assistant"
}
] |
def x(self, file):
url = self._get_url('/api/1.0/upload/post')
fcontent = FileContent(file)
binary_data = fcontent.get_binary()
headers = self._get_request_headers()
req = urllib.request.Request(url, binary_data, headers)
req.add_header('Content-type', fcontent.get_content_type())
req.add_header('Content-length', len(binary_data))
resp = urllib.request.urlopen(req)
return definition.UploadPostResponse(_response_to_json(resp))
| upload_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n url = self._get_url('/api/1.0/upload/post')\n fcontent = FileContent(file)\n binary_data = fcontent.get_binary()\n headers = self._get_request_headers()\n req = urllib.request.Request(url, binary_data, headers)\n req.add_header('Content-type', fcontent.get_content_type())\n req.add_header('Content-length', len(binary_data))\n resp = urllib.request.urlopen(req)\n return definition.UploadPostResponse(_response_to_json(resp))\n",
"role": "user"
},
{
"content": "upload_file",
"role": "assistant"
}
] |
def x(self, file_location, dataset=None):
path = '/api/1.0/upload/verify'
query = 'doNotGenerateAdvanceReport=true&filePath={}'.format(file_location)
if dataset:
query = ('doNotGenerateAdvanceReport=true&filePath={}&datasetId={}'
.format(file_location, dataset))
return self._api_get(definition.UploadVerifyResponse, path, query)
| upload_verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_location, dataset=None):\n path = '/api/1.0/upload/verify'\n query = 'doNotGenerateAdvanceReport=true&filePath={}'.format(file_location)\n if dataset:\n query = ('doNotGenerateAdvanceReport=true&filePath={}&datasetId={}'\n .format(file_location, dataset))\n return self._api_get(definition.UploadVerifyResponse, path, query)\n",
"role": "user"
},
{
"content": "upload_verify",
"role": "assistant"
}
] |
def x(self, upload_request):
path = '/api/1.0/upload/save'
return self._api_post(definition.DatasetUploadResponse, path,
upload_request)
| upload_submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, upload_request):\n path = '/api/1.0/upload/save'\n return self._api_post(definition.DatasetUploadResponse, path,\n upload_request)\n",
"role": "user"
},
{
"content": "upload_submit",
"role": "assistant"
}
] |
def x(self, upload_id):
path = '/api/1.0/upload/status'
query = 'id={}'.format(upload_id)
return self._api_get(definition.DatasetUploadStatusResponse, path, query)
| upload_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, upload_id):\n path = '/api/1.0/upload/status'\n query = 'id={}'.format(upload_id)\n return self._api_get(definition.DatasetUploadStatusResponse, path, query)\n",
"role": "user"
},
{
"content": "upload_status",
"role": "assistant"
}
] |
def x(self, file_path, dataset=None, public=False):
upload_status = self.upload_file(file_path)
err_msg = 'Dataset has not been uploaded to the remote host'
if not upload_status.successful:
msg = '{}, because of the following error: {}'.format(err_msg,
upload_status.error)
raise ValueError(msg)
err_msg = 'File has not been verified'
upload_ver_status = self.upload_verify(upload_status.properties.
location, dataset)
if not upload_ver_status.successful:
ver_err = '\r\n'.join(upload_ver_status.errors)
msg = '{}, because of the following error(s): {}'.format(err_msg,
ver_err)
raise ValueError(msg)
ds_upload = definition.DatasetUpload(upload_ver_status, upload_status,
dataset, public)
ds_upload_submit_result = self.upload_submit(ds_upload)
err_msg = 'Dataset has not been saved to the database'
if ds_upload_submit_result.status == 'failed':
ver_err = '\r\n'.join(ds_upload_submit_result.errors)
msg = '{}, because of the following error(s): {}'.format(err_msg,
ver_err)
raise ValueError(msg)
ds_upload_result = None
while True:
ds_upload_result = self.upload_status(ds_upload_submit_result.submit_id
)
if (ds_upload_result.status == 'pending' or ds_upload_result.status ==
'processing'):
time.sleep(5)
else:
break
if ds_upload_result.status != 'successful':
ver_err = '\r\n'.join(ds_upload_result.errors)
msg = '{}, because of the following error(s): {}'.format(err_msg,
ver_err)
raise ValueError(msg)
return ds_upload_result.dataset
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path, dataset=None, public=False):\n upload_status = self.upload_file(file_path)\n err_msg = 'Dataset has not been uploaded to the remote host'\n if not upload_status.successful:\n msg = '{}, because of the following error: {}'.format(err_msg,\n upload_status.error)\n raise ValueError(msg)\n err_msg = 'File has not been verified'\n upload_ver_status = self.upload_verify(upload_status.properties.\n location, dataset)\n if not upload_ver_status.successful:\n ver_err = '\\r\\n'.join(upload_ver_status.errors)\n msg = '{}, because of the following error(s): {}'.format(err_msg,\n ver_err)\n raise ValueError(msg)\n ds_upload = definition.DatasetUpload(upload_ver_status, upload_status,\n dataset, public)\n ds_upload_submit_result = self.upload_submit(ds_upload)\n err_msg = 'Dataset has not been saved to the database'\n if ds_upload_submit_result.status == 'failed':\n ver_err = '\\r\\n'.join(ds_upload_submit_result.errors)\n msg = '{}, because of the following error(s): {}'.format(err_msg,\n ver_err)\n raise ValueError(msg)\n ds_upload_result = None\n while True:\n ds_upload_result = self.upload_status(ds_upload_submit_result.submit_id\n )\n if (ds_upload_result.status == 'pending' or ds_upload_result.status ==\n 'processing'):\n time.sleep(5)\n else:\n break\n if ds_upload_result.status != 'successful':\n ver_err = '\\r\\n'.join(ds_upload_result.errors)\n msg = '{}, because of the following error(s): {}'.format(err_msg,\n ver_err)\n raise ValueError(msg)\n return ds_upload_result.dataset\n",
"role": "user"
},
{
"content": "upload",
"role": "assistant"
}
] |
def x(self, dataset):
url = self._get_url('/api/1.0/meta/dataset/{}/delete'.format(dataset))
json_data = ''
binary_data = json_data.encode()
headers = self._get_request_headers()
req = urllib.request.Request(url, binary_data, headers)
resp = urllib.request.urlopen(req)
str_response = resp.read().decode('utf-8')
if (str_response != '"successful"' or resp.status < 200 or resp.status >=
300):
msg = (
'Dataset has not been deleted, because of the following error(s): {}'
.format(str_response))
raise ValueError(msg)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset):\n url = self._get_url('/api/1.0/meta/dataset/{}/delete'.format(dataset))\n json_data = ''\n binary_data = json_data.encode()\n headers = self._get_request_headers()\n req = urllib.request.Request(url, binary_data, headers)\n resp = urllib.request.urlopen(req)\n str_response = resp.read().decode('utf-8')\n if (str_response != '\"successful\"' or resp.status < 200 or resp.status >=\n 300):\n msg = (\n 'Dataset has not been deleted, because of the following error(s): {}'\n .format(str_response))\n raise ValueError(msg)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, dataset, publication_date, source, refernce_url):
path = '/api/1.0/meta/verifydataset'
req = definition.DatasetVerifyRequest(dataset, publication_date, source,
refernce_url)
result = self._api_post(definition.DatasetVerifyResponse, path, req)
if result.status == 'failed':
ver_err = '\r\n'.join(result.errors)
msg = (
'Dataset has not been verified, because of the following error(s): {}'
.format(ver_err))
raise ValueError(msg)
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset, publication_date, source, refernce_url):\n path = '/api/1.0/meta/verifydataset'\n req = definition.DatasetVerifyRequest(dataset, publication_date, source,\n refernce_url)\n result = self._api_post(definition.DatasetVerifyResponse, path, req)\n if result.status == 'failed':\n ver_err = '\\r\\n'.join(result.errors)\n msg = (\n 'Dataset has not been verified, because of the following error(s): {}'\n .format(ver_err))\n raise ValueError(msg)\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(self):
content_disp = 'Content-Disposition: form-data; name="file"; filename="{}"'
stream = io.BytesIO()
stream.write(_string_to_binary('--{}'.format(self.boundary)))
stream.write(_crlf())
stream.write(_string_to_binary(content_disp.format(self.file_name)))
stream.write(_crlf())
stream.write(_crlf())
stream.write(self.body)
stream.write(_crlf())
stream.write(_string_to_binary('--{}--'.format(self.boundary)))
stream.write(_crlf())
return stream.getvalue()
| get_binary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n content_disp = 'Content-Disposition: form-data; name=\"file\"; filename=\"{}\"'\n stream = io.BytesIO()\n stream.write(_string_to_binary('--{}'.format(self.boundary)))\n stream.write(_crlf())\n stream.write(_string_to_binary(content_disp.format(self.file_name)))\n stream.write(_crlf())\n stream.write(_crlf())\n stream.write(self.body)\n stream.write(_crlf())\n stream.write(_string_to_binary('--{}--'.format(self.boundary)))\n stream.write(_crlf())\n return stream.getvalue()\n",
"role": "user"
},
{
"content": "get_binary",
"role": "assistant"
}
] |
def x(self):
query_details = [str(QueryCache.QUERY_CACHE_VERSION), str(self.
_bucket_width), binascii.b2a_hex(marshal.dumps(self._query_function
.func_code)), str(self._query_function_args), str(self.
_query_function_kwargs)]
return hashlib.sha512('$'.join(query_details)).hexdigest()[:20]
| scratch_stream_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n query_details = [str(QueryCache.QUERY_CACHE_VERSION), str(self.\n _bucket_width), binascii.b2a_hex(marshal.dumps(self._query_function\n .func_code)), str(self._query_function_args), str(self.\n _query_function_kwargs)]\n return hashlib.sha512('$'.join(query_details)).hexdigest()[:20]\n",
"role": "user"
},
{
"content": "scratch_stream_name",
"role": "assistant"
}
] |
def x(self, event_time):
event_time = kronos_time_to_epoch_time(event_time)
return event_time - event_time % self._bucket_width
| bucket_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_time):\n event_time = kronos_time_to_epoch_time(event_time)\n return event_time - event_time % self._bucket_width\n",
"role": "user"
},
{
"content": "bucket_time",
"role": "assistant"
}
] |
def x(self, event_iterable):
current_bucket_time = None
current_bucket_events = None
for event in event_iterable:
event_bucket_time = self._bucket_time(event[TIMESTAMP_FIELD])
if (current_bucket_time is None or current_bucket_time <
event_bucket_time):
if current_bucket_events is not None:
yield current_bucket_events
current_bucket_time = event_bucket_time
current_bucket_events = []
current_bucket_events.append(event)
if current_bucket_events is not None and current_bucket_events != []:
yield current_bucket_events
| bucket_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_iterable):\n current_bucket_time = None\n current_bucket_events = None\n for event in event_iterable:\n event_bucket_time = self._bucket_time(event[TIMESTAMP_FIELD])\n if (current_bucket_time is None or current_bucket_time <\n event_bucket_time):\n if current_bucket_events is not None:\n yield current_bucket_events\n current_bucket_time = event_bucket_time\n current_bucket_events = []\n current_bucket_events.append(event)\n if current_bucket_events is not None and current_bucket_events != []:\n yield current_bucket_events\n",
"role": "user"
},
{
"content": "bucket_events",
"role": "assistant"
}
] |
def x(self, start_time, end_time):
cached_buckets = self._bucket_events(self._client.get(self.
_scratch_stream, start_time, end_time, namespace=self.
_scratch_namespace))
for bucket_events in cached_buckets:
if len(bucket_events) == 1:
first_result = bucket_events[0]
yield kronos_time_to_epoch_time(first_result[TIMESTAMP_FIELD]
), first_result[QueryCache.CACHE_KEY]
| cached_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time, end_time):\n cached_buckets = self._bucket_events(self._client.get(self.\n _scratch_stream, start_time, end_time, namespace=self.\n _scratch_namespace))\n for bucket_events in cached_buckets:\n if len(bucket_events) == 1:\n first_result = bucket_events[0]\n yield kronos_time_to_epoch_time(first_result[TIMESTAMP_FIELD]\n ), first_result[QueryCache.CACHE_KEY]\n",
"role": "user"
},
{
"content": "cached_results",
"role": "assistant"
}
] |
def x(self, start_time, end_time, untrusted_time, force_recompute=False):
if untrusted_time and not untrusted_time.tzinfo:
untrusted_time = untrusted_time.replace(tzinfo=tzutc())
events = self._compute_buckets(start_time, end_time, compute_missing=
True, cache=True, untrusted_time=untrusted_time, force_recompute=
force_recompute)
for event in events:
yield event
| compute_and_cache_missing_buckets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time, end_time, untrusted_time, force_recompute=False):\n if untrusted_time and not untrusted_time.tzinfo:\n untrusted_time = untrusted_time.replace(tzinfo=tzutc())\n events = self._compute_buckets(start_time, end_time, compute_missing=\n True, cache=True, untrusted_time=untrusted_time, force_recompute=\n force_recompute)\n for event in events:\n yield event\n",
"role": "user"
},
{
"content": "compute_and_cache_missing_buckets",
"role": "assistant"
}
] |
def x(self, start_time, end_time, compute_missing=False):
events = self._compute_buckets(start_time, end_time, compute_missing=
compute_missing)
for event in events:
yield event
| retrieve_interval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time, end_time, compute_missing=False):\n events = self._compute_buckets(start_time, end_time, compute_missing=\n compute_missing)\n for event in events:\n yield event\n",
"role": "user"
},
{
"content": "retrieve_interval",
"role": "assistant"
}
] |
def x(self, reader):
results = set()
while True:
now = datetime.datetime.now()
if self._task_queue and self._task_queue[0][0] <= now:
task = heappop(self._task_queue)[1]
if task['id'] not in self._pending_cancels:
result = self._executor.submit(_execute, task)
results.add(result)
else:
self._pending_cancels.remove(task['id'])
else:
with gevent.Timeout(0.5, False) as t:
message = reader.get(timeout=t)
if message[0] == 'schedule':
self._schedule(message[1], next_run=now)
elif message[0] == 'cancel':
self._cancel(message[1])
if not results:
gevent.sleep(0.5)
continue
ready = self._executor.wait(results, num=1, timeout=0.5)
for result in ready:
results.remove(result)
if result.value:
task = result.value
interval = int(task['interval'])
if interval:
run_at = now + datetime.timedelta(seconds=int(task[
'interval']))
self._schedule(task, next_run=run_at)
else:
err_msg = result.exception
sys.stderr.write('ERROR: %s' % err_msg)
email_msg = 'Task %s failed at %s\n\n%s' % (task['id'],
datetime.datetime.now(), err_msg)
send_mail(get_app().config['SCHEDULER_FAILURE_EMAILS'],
'Scheduler Failure', email_msg)
| loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reader):\n results = set()\n while True:\n now = datetime.datetime.now()\n if self._task_queue and self._task_queue[0][0] <= now:\n task = heappop(self._task_queue)[1]\n if task['id'] not in self._pending_cancels:\n result = self._executor.submit(_execute, task)\n results.add(result)\n else:\n self._pending_cancels.remove(task['id'])\n else:\n with gevent.Timeout(0.5, False) as t:\n message = reader.get(timeout=t)\n if message[0] == 'schedule':\n self._schedule(message[1], next_run=now)\n elif message[0] == 'cancel':\n self._cancel(message[1])\n if not results:\n gevent.sleep(0.5)\n continue\n ready = self._executor.wait(results, num=1, timeout=0.5)\n for result in ready:\n results.remove(result)\n if result.value:\n task = result.value\n interval = int(task['interval'])\n if interval:\n run_at = now + datetime.timedelta(seconds=int(task[\n 'interval']))\n self._schedule(task, next_run=run_at)\n else:\n err_msg = result.exception\n sys.stderr.write('ERROR: %s' % err_msg)\n email_msg = 'Task %s failed at %s\\n\\n%s' % (task['id'],\n datetime.datetime.now(), err_msg)\n send_mail(get_app().config['SCHEDULER_FAILURE_EMAILS'],\n 'Scheduler Failure', email_msg)\n",
"role": "user"
},
{
"content": "loop",
"role": "assistant"
}
] |
def x(function):
@wraps(function)
def x(*args, **kwargs):
auth_token = request.form.get('auth_token')
if not auth_token:
return json.dumps({'status': 'fail', 'reason':
'You must provide an auth_token'})
data = dict(request.form)
del data['auth_token']
correct_token = create_token(current_app.config['SECRET_KEY'], data)
if _compare_digest(auth_token, correct_token):
return function(*args, **kwargs)
else:
return json.dumps({'status': 'fail', 'reason':
'Incorrect auth_token'})
return decorated
| token_protected_endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function):\n\n @wraps(function)\n def x(*args, **kwargs):\n auth_token = request.form.get('auth_token')\n if not auth_token:\n return json.dumps({'status': 'fail', 'reason':\n 'You must provide an auth_token'})\n data = dict(request.form)\n del data['auth_token']\n correct_token = create_token(current_app.config['SECRET_KEY'], data)\n if _compare_digest(auth_token, correct_token):\n return function(*args, **kwargs)\n else:\n return json.dumps({'status': 'fail', 'reason':\n 'Incorrect auth_token'})\n return decorated\n",
"role": "user"
},
{
"content": "token_protected_endpoint",
"role": "assistant"
}
] |
def x(df, noise=10000):
d = ((df.values > noise) * df.columns).max(axis=1)
return Trace(d, df.index, name='molmz')
| molmz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, noise=10000):\n d = ((df.values > noise) * df.columns).max(axis=1)\n return Trace(d, df.index, name='molmz')\n",
"role": "user"
},
{
"content": "molmz",
"role": "assistant"
}
] |
def x(df, minus=0, noise=10000):
mol_ions = ((df.values > noise) * df.columns).max(axis=1) - minus
mol_ions[np.abs(mol_ions) < 0] = 0
d = np.abs(np.ones(df.shape) * df.columns - mol_ions[np.newaxis].T * np
.ones(df.shape)) < 1
d = (df.values * d).sum(axis=1)
return Trace(d, df.index, name='m-' + str(minus))
| mzminus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, minus=0, noise=10000):\n mol_ions = ((df.values > noise) * df.columns).max(axis=1) - minus\n mol_ions[np.abs(mol_ions) < 0] = 0\n d = np.abs(np.ones(df.shape) * df.columns - mol_ions[np.newaxis].T * np\n .ones(df.shape)) < 1\n d = (df.values * d).sum(axis=1)\n return Trace(d, df.index, name='m-' + str(minus))\n",
"role": "user"
},
{
"content": "mzminus",
"role": "assistant"
}
] |
def x(df):
d = np.array(df.columns)[df.values.argmax(axis=1)]
return Trace(d, df.index, name='basemz')
| basemz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n d = np.array(df.columns)[df.values.argmax(axis=1)]\n return Trace(d, df.index, name='basemz')\n",
"role": "user"
},
{
"content": "basemz",
"role": "assistant"
}
] |
def x(df, window, level):
d = df.values
smooth_data = movingaverage(d, df.index, window)[0]
stand_data = (smooth_data - smooth_data.mean()) / smooth_data.std()
scale_data = d / np.sqrt(np.sum(d ** 2, axis=0))
mcq = np.sum(stand_data * scale_data, axis=0) / np.sqrt(d.shape[0] - 1)
good_ions = [i for i, q in zip(df.columns, mcq) if q >= level]
return good_ions
| coda | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, window, level):\n d = df.values\n smooth_data = movingaverage(d, df.index, window)[0]\n stand_data = (smooth_data - smooth_data.mean()) / smooth_data.std()\n scale_data = d / np.sqrt(np.sum(d ** 2, axis=0))\n mcq = np.sum(stand_data * scale_data, axis=0) / np.sqrt(d.shape[0] - 1)\n good_ions = [i for i, q in zip(df.columns, mcq) if q >= level]\n return good_ions\n",
"role": "user"
},
{
"content": "coda",
"role": "assistant"
}
] |
def x():
classes = {}
mydir = op.dirname(op.abspath(inspect.getfile(get_mimetype)))
tfcls = {"<class 'aston.tracefile.TraceFile'>",
"<class 'aston.tracefile.ScanListFile'>"}
for filename in glob(op.join(mydir, '*.py')):
name = op.splitext(op.basename(filename))[0]
module = import_module('aston.tracefile.' + name)
for clsname in dir(module):
cls = getattr(module, clsname)
if hasattr(cls, '__base__'):
if str(cls.__base__) in tfcls:
classes[cls.mime] = cls
return classes
| tfclasses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n classes = {}\n mydir = op.dirname(op.abspath(inspect.getfile(get_mimetype)))\n tfcls = {\"<class 'aston.tracefile.TraceFile'>\",\n \"<class 'aston.tracefile.ScanListFile'>\"}\n for filename in glob(op.join(mydir, '*.py')):\n name = op.splitext(op.basename(filename))[0]\n module = import_module('aston.tracefile.' + name)\n for clsname in dir(module):\n cls = getattr(module, clsname)\n if hasattr(cls, '__base__'):\n if str(cls.__base__) in tfcls:\n classes[cls.mime] = cls\n return classes\n",
"role": "user"
},
{
"content": "tfclasses",
"role": "assistant"
}
] |
def x(ts, f, rts=[]):
def x(y, loc=None):
if loc is None:
loc = y.argmax()
ddy = np.diff(np.diff(y))
lft_loc, rgt_loc = loc - 2, loc + 1
while rgt_loc >= 0 and rgt_loc < len(ddy):
if ddy[rgt_loc] < ddy[rgt_loc - 1]:
break
rgt_loc += 1
while lft_loc >= 0 and lft_loc < len(ddy):
if ddy[lft_loc] < ddy[lft_loc + 1]:
break
lft_loc -= 1
return lft_loc + 1, rgt_loc + 1
all_params = []
for rt in rts:
peak_params = {'x': rt}
top_idx = np.abs(ts.index - rt).argmin()
side_idx = find_side(ts.values, top_idx)
peak_params['h'] = ts.values[top_idx]
peak_params['w'] = ts.index[side_idx[1]] - ts.index[side_idx[0]]
peak_params['s'] = 1.1
peak_params['e'] = 1.0
peak_params['a'] = 1.0
all_params.append(peak_params)
return all_params
| guess_initc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, f, rts=[]):\n\n def x(y, loc=None):\n if loc is None:\n loc = y.argmax()\n ddy = np.diff(np.diff(y))\n lft_loc, rgt_loc = loc - 2, loc + 1\n while rgt_loc >= 0 and rgt_loc < len(ddy):\n if ddy[rgt_loc] < ddy[rgt_loc - 1]:\n break\n rgt_loc += 1\n while lft_loc >= 0 and lft_loc < len(ddy):\n if ddy[lft_loc] < ddy[lft_loc + 1]:\n break\n lft_loc -= 1\n return lft_loc + 1, rgt_loc + 1\n all_params = []\n for rt in rts:\n peak_params = {'x': rt}\n top_idx = np.abs(ts.index - rt).argmin()\n side_idx = find_side(ts.values, top_idx)\n peak_params['h'] = ts.values[top_idx]\n peak_params['w'] = ts.index[side_idx[1]] - ts.index[side_idx[0]]\n peak_params['s'] = 1.1\n peak_params['e'] = 1.0\n peak_params['a'] = 1.0\n all_params.append(peak_params)\n return all_params\n",
"role": "user"
},
{
"content": "guess_initc",
"role": "assistant"
}
] |
def x(ts, fs=[], all_params=[], fit_vars=None, alg='leastsq', make_bounded=True
):
if fit_vars is None:
fit_vars = [f._peakargs for f in fs]
initc = [min(ts.values)]
for f, peak_params, to_fit in zip(fs, all_params, fit_vars):
if 'v' in to_fit:
to_fit.remove('v')
if make_bounded and hasattr(f, '_pbounds'):
new_v = _to_unbnd_p({i: peak_params[i] for i in to_fit}, f._pbounds
)
initc += [new_v[i] for i in to_fit]
else:
initc += [peak_params[i] for i in to_fit]
def x(fit_params, t, y, all_params):
fit_y = np.zeros(len(t))
param_i = 1
for f, peak_params, to_fit in zip(fs, all_params, fit_vars):
for k in to_fit:
peak_params[k] = fit_params[param_i]
param_i += 1
if make_bounded and hasattr(f, '_pbounds'):
fit_y += f(t, **_to_bound_p(peak_params, f._pbounds))
else:
fit_y += f(t, **peak_params)
return fit_y - y
def x(p, t, y, all_params):
return np.sum(errfunc_lsq(p, t, y, all_params) ** 2)
if alg == 'simplex':
fit_p, _ = fmin(errfunc, initc, args=(ts.index, ts.values, peak_params)
)
elif alg == 'lbfgsb':
fitp, _ = fmin_l_bfgs_b(errfunc, fit_p, args=(ts.index, ts.values,
peak_params), approx_grad=True)
elif alg == 'leastsq':
fit_p, _ = leastsq(errfunc_lsq, initc, args=(ts.index, ts.values,
all_params))
fit_pl = fit_p.tolist()
v = fit_pl.pop(0)
fitted_params = []
for f, to_fit in zip(fs, fit_vars):
fit_p_dict = {v: fit_pl.pop(0) for v in to_fit}
if make_bounded and hasattr(f, '_pbounds'):
fitted_params.append(_to_bound_p(fit_p_dict, f._pbounds))
else:
fitted_params.append(fit_p_dict)
ss_err = errfunc(fit_p, ts.index, ts.values, fitted_params)
ss_tot = np.sum((ts.values - np.mean(ts.values)) ** 2)
r2 = 1 - ss_err / ss_tot
res = {'r^2': r2}
return fitted_params, res
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, fs=[], all_params=[], fit_vars=None, alg='leastsq', make_bounded=True\n ):\n if fit_vars is None:\n fit_vars = [f._peakargs for f in fs]\n initc = [min(ts.values)]\n for f, peak_params, to_fit in zip(fs, all_params, fit_vars):\n if 'v' in to_fit:\n to_fit.remove('v')\n if make_bounded and hasattr(f, '_pbounds'):\n new_v = _to_unbnd_p({i: peak_params[i] for i in to_fit}, f._pbounds\n )\n initc += [new_v[i] for i in to_fit]\n else:\n initc += [peak_params[i] for i in to_fit]\n\n def x(fit_params, t, y, all_params):\n fit_y = np.zeros(len(t))\n param_i = 1\n for f, peak_params, to_fit in zip(fs, all_params, fit_vars):\n for k in to_fit:\n peak_params[k] = fit_params[param_i]\n param_i += 1\n if make_bounded and hasattr(f, '_pbounds'):\n fit_y += f(t, **_to_bound_p(peak_params, f._pbounds))\n else:\n fit_y += f(t, **peak_params)\n return fit_y - y\n\n def x(p, t, y, all_params):\n return np.sum(errfunc_lsq(p, t, y, all_params) ** 2)\n if alg == 'simplex':\n fit_p, _ = fmin(errfunc, initc, args=(ts.index, ts.values, peak_params)\n )\n elif alg == 'lbfgsb':\n fitp, _ = fmin_l_bfgs_b(errfunc, fit_p, args=(ts.index, ts.values,\n peak_params), approx_grad=True)\n elif alg == 'leastsq':\n fit_p, _ = leastsq(errfunc_lsq, initc, args=(ts.index, ts.values,\n all_params))\n fit_pl = fit_p.tolist()\n v = fit_pl.pop(0)\n fitted_params = []\n for f, to_fit in zip(fs, fit_vars):\n fit_p_dict = {v: fit_pl.pop(0) for v in to_fit}\n if make_bounded and hasattr(f, '_pbounds'):\n fitted_params.append(_to_bound_p(fit_p_dict, f._pbounds))\n else:\n fitted_params.append(fit_p_dict)\n ss_err = errfunc(fit_p, ts.index, ts.values, fitted_params)\n ss_tot = np.sum((ts.values - np.mean(ts.values)) ** 2)\n r2 = 1 - ss_err / ss_tot\n res = {'r^2': r2}\n return fitted_params, res\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(func, *args, **kwargs):
global _GREENLET_EXECUTOR
if _GREENLET_EXECUTOR is None:
_GREENLET_EXECUTOR = GreenletExecutor(num_greenlets=settings.node.
greenlet_pool_size)
return _GREENLET_EXECUTOR.submit(func, *args, **kwargs)
| execute_greenlet_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n global _GREENLET_EXECUTOR\n if _GREENLET_EXECUTOR is None:\n _GREENLET_EXECUTOR = GreenletExecutor(num_greenlets=settings.node.\n greenlet_pool_size)\n return _GREENLET_EXECUTOR.submit(func, *args, **kwargs)\n",
"role": "user"
},
{
"content": "execute_greenlet_async",
"role": "assistant"
}
] |
def x(func, *args, **kwargs):
global _GIPC_EXECUTOR
if _GIPC_EXECUTOR is None:
_GIPC_EXECUTOR = GIPCExecutor(num_procs=settings.node.
gipc_pool_size, num_greenlets=settings.node.greenlet_pool_size)
return _GIPC_EXECUTOR.submit(func, *args, **kwargs)
| execute_process_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n global _GIPC_EXECUTOR\n if _GIPC_EXECUTOR is None:\n _GIPC_EXECUTOR = GIPCExecutor(num_procs=settings.node.\n gipc_pool_size, num_greenlets=settings.node.greenlet_pool_size)\n return _GIPC_EXECUTOR.submit(func, *args, **kwargs)\n",
"role": "user"
},
{
"content": "execute_process_async",
"role": "assistant"
}
] |
def x(results, num=None, timeout=None):
return AbstractExecutor.wait(results, num=num, timeout=timeout)
| wait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(results, num=None, timeout=None):\n return AbstractExecutor.wait(results, num=num, timeout=timeout)\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
] |
def x(self, mention, max_message_length):
message = []
def x():
return sum([(len(w) + 1) for w in message])
while message_len() < max_message_length:
message.append(self.a_random_word(message[-1] if message else None))
return ' '.join(message[:-1])
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mention, max_message_length):\n message = []\n\n def x():\n return sum([(len(w) + 1) for w in message])\n while message_len() < max_message_length:\n message.append(self.a_random_word(message[-1] if message else None))\n return ' '.join(message[:-1])\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, event_type, signature, data_str):
if not self.validate_signature(signature, data_str):
raise HelpScoutSecurityException(
'The signature provided by this request was invalid.')
return HelpScoutWebHookEvent(event_type=event_type, record=json.loads(
data_str))
| receive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type, signature, data_str):\n if not self.validate_signature(signature, data_str):\n raise HelpScoutSecurityException(\n 'The signature provided by this request was invalid.')\n return HelpScoutWebHookEvent(event_type=event_type, record=json.loads(\n data_str))\n",
"role": "user"
},
{
"content": "receive",
"role": "assistant"
}
] |
def x(self, signature, data, encoding='utf8'):
if isinstance(data, string_types):
data = bytearray(data, encoding)
if isinstance(signature, string_types):
signature = bytearray(signature, encoding)
secret_key = bytearray(self.secret_key, 'utf8')
hashed = hmac.new(secret_key, data, sha1)
encoded = b64encode(hashed.digest())
return encoded.strip() == signature.strip()
| validate_signature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signature, data, encoding='utf8'):\n if isinstance(data, string_types):\n data = bytearray(data, encoding)\n if isinstance(signature, string_types):\n signature = bytearray(signature, encoding)\n secret_key = bytearray(self.secret_key, 'utf8')\n hashed = hmac.new(secret_key, data, sha1)\n encoded = b64encode(hashed.digest())\n return encoded.strip() == signature.strip()\n",
"role": "user"
},
{
"content": "validate_signature",
"role": "assistant"
}
] |
def x(name=None, priority=-1):
def x(hook_func):
return register_hook(name, hook_func=hook_func, priority=priority)
return _hook
| hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None, priority=-1):\n\n def x(hook_func):\n return register_hook(name, hook_func=hook_func, priority=priority)\n return _hook\n",
"role": "user"
},
{
"content": "hook",
"role": "assistant"
}
] |
def x(paths, out='data/model.d2v', tokenizer=word_tokenize, sentences=False,
**kwargs):
kwargs = {'size': 400, 'window': 8, 'min_count': 2, 'workers': 8}.update(
kwargs)
n = 0
for path in paths:
print('Counting lines for {0}...'.format(path))
n += sum(1 for line in open(path, 'r'))
print('Processing {0} lines...'.format(n))
print('Training doc2vec model...')
m = Doc2Vec(_doc2vec_doc_stream(paths, n, tokenizer=tokenizer,
sentences=sentences), **kwargs)
print('Saving...')
m.save(out)
| train_doc2vec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(paths, out='data/model.d2v', tokenizer=word_tokenize, sentences=False,\n **kwargs):\n kwargs = {'size': 400, 'window': 8, 'min_count': 2, 'workers': 8}.update(\n kwargs)\n n = 0\n for path in paths:\n print('Counting lines for {0}...'.format(path))\n n += sum(1 for line in open(path, 'r'))\n print('Processing {0} lines...'.format(n))\n print('Training doc2vec model...')\n m = Doc2Vec(_doc2vec_doc_stream(paths, n, tokenizer=tokenizer,\n sentences=sentences), **kwargs)\n print('Saving...')\n m.save(out)\n",
"role": "user"
},
{
"content": "train_doc2vec",
"role": "assistant"
}
] |
def x(paths, n, tokenizer=word_tokenize, sentences=True):
i = 0
p = Progress()
for path in paths:
with open(path, 'r') as f:
for line in f:
i += 1
p.print_progress(i / n)
line = line.lower()
if sentences:
for sent in sent_tokenize(line):
tokens = tokenizer(sent)
yield LabeledSentence(tokens, ['SENT_{}'.format(i)])
else:
tokens = tokenizer(line)
yield LabeledSentence(tokens, ['SENT_{}'.format(i)])
| doc2vec_doc_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(paths, n, tokenizer=word_tokenize, sentences=True):\n i = 0\n p = Progress()\n for path in paths:\n with open(path, 'r') as f:\n for line in f:\n i += 1\n p.print_progress(i / n)\n line = line.lower()\n if sentences:\n for sent in sent_tokenize(line):\n tokens = tokenizer(sent)\n yield LabeledSentence(tokens, ['SENT_{}'.format(i)])\n else:\n tokens = tokenizer(line)\n yield LabeledSentence(tokens, ['SENT_{}'.format(i)])\n",
"role": "user"
},
{
"content": "doc2vec_doc_stream",
"role": "assistant"
}
] |
def x(self):
self._serial.port = self._port
self._serial.baudrate = self._baud
self._serial.timeout = self._timeout
self._serial.open()
self._serial.flushInput()
self._serial.flushOutput()
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._serial.port = self._port\n self._serial.baudrate = self._baud\n self._serial.timeout = self._timeout\n self._serial.open()\n self._serial.flushInput()\n self._serial.flushOutput()\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(line):
re_info = re.compile('\\[(?P<name>\\w+).(?P<ver>.*) ' +
'\\((?P<rfm1name>\\w+) (\\w+):(?P<rfm1freq>\\d+) ' +
'(?P<rfm1mode>.*)\\)\\]')
info = {'name': None, 'version': None, 'rfm1name': None,
'rfm1frequency': None, 'rfm1datarate': None, 'rfm1toggleinterval':
None, 'rfm1togglemask': None}
match = re_info.match(line)
if match:
info['name'] = match.group('name')
info['version'] = match.group('ver')
info['rfm1name'] = match.group('rfm1name')
info['rfm1frequency'] = match.group('rfm1freq')
values = match.group('rfm1mode').split(':')
if values[0] == 'r':
info['rfm1datarate'] = values[1]
elif values[0] == 't':
toggle = values[1].split('~')
info['rfm1toggleinterval'] = toggle[0]
info['rfm1togglemask'] = toggle[1]
return info
| parse_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n re_info = re.compile('\\\\[(?P<name>\\\\w+).(?P<ver>.*) ' +\n '\\\\((?P<rfm1name>\\\\w+) (\\\\w+):(?P<rfm1freq>\\\\d+) ' +\n '(?P<rfm1mode>.*)\\\\)\\\\]')\n info = {'name': None, 'version': None, 'rfm1name': None,\n 'rfm1frequency': None, 'rfm1datarate': None, 'rfm1toggleinterval':\n None, 'rfm1togglemask': None}\n match = re_info.match(line)\n if match:\n info['name'] = match.group('name')\n info['version'] = match.group('ver')\n info['rfm1name'] = match.group('rfm1name')\n info['rfm1frequency'] = match.group('rfm1freq')\n values = match.group('rfm1mode').split(':')\n if values[0] == 'r':\n info['rfm1datarate'] = values[1]\n elif values[0] == 't':\n toggle = values[1].split('~')\n info['rfm1toggleinterval'] = toggle[0]\n info['rfm1togglemask'] = toggle[1]\n return info\n",
"role": "user"
},
{
"content": "parse_info",
"role": "assistant"
}
] |
def x(self):
re_info = re.compile('\\[.*\\]')
self._write_cmd('v')
while True:
line = self._serial.readline()
try:
line = line.encode().decode('utf-8')
except AttributeError:
line = line.decode('utf-8')
match = re_info.match(line)
if match:
return self._parse_info(line)
| get_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n re_info = re.compile('\\\\[.*\\\\]')\n self._write_cmd('v')\n while True:\n line = self._serial.readline()\n try:\n line = line.encode().decode('utf-8')\n except AttributeError:\n line = line.decode('utf-8')\n match = re_info.match(line)\n if match:\n return self._parse_info(line)\n",
"role": "user"
},
{
"content": "get_info",
"role": "assistant"
}
] |
def x(self, frequency, rfm=1):
cmds = {(1): 'f', (2): 'F'}
self._write_cmd('{}{}'.format(frequency, cmds[rfm]))
| set_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frequency, rfm=1):\n cmds = {(1): 'f', (2): 'F'}\n self._write_cmd('{}{}'.format(frequency, cmds[rfm]))\n",
"role": "user"
},
{
"content": "set_frequency",
"role": "assistant"
}
] |
def x(self, rate, rfm=1):
cmds = {(1): 'r', (2): 'R'}
self._write_cmd('{}{}'.format(rate, cmds[rfm]))
| set_datarate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rate, rfm=1):\n cmds = {(1): 'r', (2): 'R'}\n self._write_cmd('{}{}'.format(rate, cmds[rfm]))\n",
"role": "user"
},
{
"content": "set_datarate",
"role": "assistant"
}
] |
def x(self, interval, rfm=1):
cmds = {(1): 't', (2): 'T'}
self._write_cmd('{}{}'.format(interval, cmds[rfm]))
| set_toggle_interval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, interval, rfm=1):\n cmds = {(1): 't', (2): 'T'}\n self._write_cmd('{}{}'.format(interval, cmds[rfm]))\n",
"role": "user"
},
{
"content": "set_toggle_interval",
"role": "assistant"
}
] |
def x(self, mode_mask, rfm=1):
cmds = {(1): 'm', (2): 'M'}
self._write_cmd('{}{}'.format(mode_mask, cmds[rfm]))
| set_toggle_mask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode_mask, rfm=1):\n cmds = {(1): 'm', (2): 'M'}\n self._write_cmd('{}{}'.format(mode_mask, cmds[rfm]))\n",
"role": "user"
},
{
"content": "set_toggle_mask",
"role": "assistant"
}
] |
def x(self):
while not self._stopevent.isSet():
line = self._serial.readline()
try:
line = line.encode().decode('utf-8')
except AttributeError:
line = line.decode('utf-8')
if LaCrosseSensor.re_reading.match(line):
sensor = LaCrosseSensor(line)
self.sensors[sensor.sensorid] = sensor
if self._callback:
self._callback(sensor, self._callback_data)
if sensor.sensorid in self._registry:
for cbs in self._registry[sensor.sensorid]:
cbs[0](sensor, cbs[1])
| refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while not self._stopevent.isSet():\n line = self._serial.readline()\n try:\n line = line.encode().decode('utf-8')\n except AttributeError:\n line = line.decode('utf-8')\n if LaCrosseSensor.re_reading.match(line):\n sensor = LaCrosseSensor(line)\n self.sensors[sensor.sensorid] = sensor\n if self._callback:\n self._callback(sensor, self._callback_data)\n if sensor.sensorid in self._registry:\n for cbs in self._registry[sensor.sensorid]:\n cbs[0](sensor, cbs[1])\n",
"role": "user"
},
{
"content": "refresh",
"role": "assistant"
}
] |
def x(self, sensorid, callback, user_data=None):
if sensorid not in self._registry:
self._registry[sensorid] = list()
self._registry[sensorid].append((callback, user_data))
| register_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sensorid, callback, user_data=None):\n if sensorid not in self._registry:\n self._registry[sensorid] = list()\n self._registry[sensorid].append((callback, user_data))\n",
"role": "user"
},
{
"content": "register_callback",
"role": "assistant"
}
] |
def x(self, callback, user_data=None):
self._callback = callback
self._callback_data = user_data
| register_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, user_data=None):\n self._callback = callback\n self._callback_data = user_data\n",
"role": "user"
},
{
"content": "register_all",
"role": "assistant"
}
] |
def x(f):
@wraps(f)
def x(cls, *args, **kwargs):
if cls.is_complete:
raise FMBaseError('Transfer already completed.')
return f(cls, *args, **kwargs)
return check_if_complete
| not_completed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @wraps(f)\n def x(cls, *args, **kwargs):\n if cls.is_complete:\n raise FMBaseError('Transfer already completed.')\n return f(cls, *args, **kwargs)\n return check_if_complete\n",
"role": "user"
},
{
"content": "not_completed",
"role": "assistant"
}
] |
def x(self):
payload = {'apikey': self.session.cookies.get('apikey'), 'source': self
.session.cookies.get('source')}
if self.fm_user.logged_in:
payload['logintoken'] = self.session.cookies.get('logintoken')
payload.update(self.transfer_info)
method, url = get_URL('init')
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
for key in ['transferid', 'transferkey', 'transferurl']:
self.transfer_info[key] = res.json().get(key)
else:
hellraiser(res)
| initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n payload = {'apikey': self.session.cookies.get('apikey'), 'source': self\n .session.cookies.get('source')}\n if self.fm_user.logged_in:\n payload['logintoken'] = self.session.cookies.get('logintoken')\n payload.update(self.transfer_info)\n method, url = get_URL('init')\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n for key in ['transferid', 'transferkey', 'transferurl']:\n self.transfer_info[key] = res.json().get(key)\n else:\n hellraiser(res)\n",
"role": "user"
},
{
"content": "initialize",
"role": "assistant"
}
] |
def x(self, to):
if to is None:
return None
if isinstance(to, list):
recipients = []
for recipient in to:
if isinstance(recipient, dict):
if 'contactgroupname' in recipient:
recipients.append(recipient['contactgroupname'])
else:
recipients.append(recipient.get('email'))
else:
recipients.append(recipient)
elif isinstance(to, basestring):
if ',' in to:
recipients = to.strip().split(',')
else:
recipients = [to]
return ', '.join(recipients)
| parse_recipients | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to):\n if to is None:\n return None\n if isinstance(to, list):\n recipients = []\n for recipient in to:\n if isinstance(recipient, dict):\n if 'contactgroupname' in recipient:\n recipients.append(recipient['contactgroupname'])\n else:\n recipients.append(recipient.get('email'))\n else:\n recipients.append(recipient)\n elif isinstance(to, basestring):\n if ',' in to:\n recipients = to.strip().split(',')\n else:\n recipients = [to]\n return ', '.join(recipients)\n",
"role": "user"
},
{
"content": "parse_recipients",
"role": "assistant"
}
] |
def x(self, files):
if isinstance(files, basestring):
files = [files]
zip_file = None
if self.zip_:
zip_filename = self._get_zip_filename()
zip_file = ZipFile(zip_filename, 'w')
for filename in files:
if os.path.isdir(filename):
for dirname, subdirs, filelist in os.walk(filename):
if dirname:
if self.zip_:
zip_file.write(dirname)
for fname in filelist:
filepath = os.path.join(dirname, fname)
if self.zip_:
zip_file.write(filepath)
else:
fmfile = self.get_file_specs(filepath, keep_folders
=True)
if fmfile['totalsize'] > 0:
self._files.append(fmfile)
elif self.zip_:
zip_file.write(filename)
else:
fmfile = self.get_file_specs(filename)
self._files.append(fmfile)
if self.zip_:
zip_file.close()
filename = zip_filename
fmfile = self.get_file_specs(filename)
self._files.append(fmfile)
| add_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, files):\n if isinstance(files, basestring):\n files = [files]\n zip_file = None\n if self.zip_:\n zip_filename = self._get_zip_filename()\n zip_file = ZipFile(zip_filename, 'w')\n for filename in files:\n if os.path.isdir(filename):\n for dirname, subdirs, filelist in os.walk(filename):\n if dirname:\n if self.zip_:\n zip_file.write(dirname)\n for fname in filelist:\n filepath = os.path.join(dirname, fname)\n if self.zip_:\n zip_file.write(filepath)\n else:\n fmfile = self.get_file_specs(filepath, keep_folders\n =True)\n if fmfile['totalsize'] > 0:\n self._files.append(fmfile)\n elif self.zip_:\n zip_file.write(filename)\n else:\n fmfile = self.get_file_specs(filename)\n self._files.append(fmfile)\n if self.zip_:\n zip_file.close()\n filename = zip_filename\n fmfile = self.get_file_specs(filename)\n self._files.append(fmfile)\n",
"role": "user"
},
{
"content": "add_files",
"role": "assistant"
}
] |
def x(self, filepath, keep_folders=False):
path, filename = os.path.split(filepath)
fileid = str(uuid4()).replace('-', '')
if self.checksum:
with open(filepath, 'rb') as f:
md5hash = md5(f.read()).digest().encode('base64')[:-1]
else:
md5hash = None
specs = {'transferid': self.transfer_id, 'transferkey': self.
transfer_info['transferkey'], 'fileid': fileid, 'filepath':
filepath, 'thefilename': keep_folders and filepath or filename,
'totalsize': os.path.getsize(filepath), 'md5': md5hash,
'content-type': guess_type(filepath)[0]}
return specs
| get_file_specs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, keep_folders=False):\n path, filename = os.path.split(filepath)\n fileid = str(uuid4()).replace('-', '')\n if self.checksum:\n with open(filepath, 'rb') as f:\n md5hash = md5(f.read()).digest().encode('base64')[:-1]\n else:\n md5hash = None\n specs = {'transferid': self.transfer_id, 'transferkey': self.\n transfer_info['transferkey'], 'fileid': fileid, 'filepath':\n filepath, 'thefilename': keep_folders and filepath or filename,\n 'totalsize': os.path.getsize(filepath), 'md5': md5hash,\n 'content-type': guess_type(filepath)[0]}\n return specs\n",
"role": "user"
},
{
"content": "get_file_specs",
"role": "assistant"
}
] |
def x(self):
method, url = get_URL('get')
payload = {'apikey': self.session.cookies.get('apikey'), 'logintoken':
self.session.cookies.get('logintoken'), 'transferid': self.transfer_id}
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
transfer_data = res.json()['transfer']
files = transfer_data['files']
for file_data in files:
self._files.append(file_data)
return self.files
hellraiser(res)
| get_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n method, url = get_URL('get')\n payload = {'apikey': self.session.cookies.get('apikey'), 'logintoken':\n self.session.cookies.get('logintoken'), 'transferid': self.transfer_id}\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n transfer_data = res.json()['transfer']\n files = transfer_data['files']\n for file_data in files:\n self._files.append(file_data)\n return self.files\n hellraiser(res)\n",
"role": "user"
},
{
"content": "get_files",
"role": "assistant"
}
] |
def x(self):
date = datetime.datetime.now().strftime('%Y_%m_%d-%H%M%S')
zip_file = 'filemail_transfer_{date}.zip'.format(date=date)
return zip_file
| get_zip_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n date = datetime.datetime.now().strftime('%Y_%m_%d-%H%M%S')\n zip_file = 'filemail_transfer_{date}.zip'.format(date=date)\n return zip_file\n",
"role": "user"
},
{
"content": "get_zip_filename",
"role": "assistant"
}
] |
def x(self, auto_complete=True, callback=None):
tot = len(self.files)
url = self.transfer_info['transferurl']
for index, fmfile in enumerate(self.files):
msg = 'Uploading: "{filename}" ({cur}/{tot})'
logger.debug(msg.format(filename=fmfile['thefilename'], cur=index +
1, tot=tot))
with open(fmfile['filepath'], 'rb') as file_obj:
fields = {fmfile['thefilename']: ('filename', file_obj, fmfile[
'content-type'])}
def x(monitor):
if pm.COMMANDLINE:
bar.show(monitor.bytes_read)
elif callback is not None:
callback(fmfile['totalsize'], monitor.bytes_read)
m_encoder = encoder.MultipartEncoder(fields=fields)
monitor = encoder.MultipartEncoderMonitor(m_encoder, pg_callback)
label = fmfile['thefilename'] + ': '
if pm.COMMANDLINE:
bar = ProgressBar(label=label, expected_size=fmfile[
'totalsize'])
headers = {'Content-Type': m_encoder.content_type}
res = self.session.post(url, params=fmfile, data=monitor,
headers=headers)
if res.status_code != 200:
hellraiser(res)
if auto_complete:
return self.complete()
return res
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, auto_complete=True, callback=None):\n tot = len(self.files)\n url = self.transfer_info['transferurl']\n for index, fmfile in enumerate(self.files):\n msg = 'Uploading: \"{filename}\" ({cur}/{tot})'\n logger.debug(msg.format(filename=fmfile['thefilename'], cur=index +\n 1, tot=tot))\n with open(fmfile['filepath'], 'rb') as file_obj:\n fields = {fmfile['thefilename']: ('filename', file_obj, fmfile[\n 'content-type'])}\n\n def x(monitor):\n if pm.COMMANDLINE:\n bar.show(monitor.bytes_read)\n elif callback is not None:\n callback(fmfile['totalsize'], monitor.bytes_read)\n m_encoder = encoder.MultipartEncoder(fields=fields)\n monitor = encoder.MultipartEncoderMonitor(m_encoder, pg_callback)\n label = fmfile['thefilename'] + ': '\n if pm.COMMANDLINE:\n bar = ProgressBar(label=label, expected_size=fmfile[\n 'totalsize'])\n headers = {'Content-Type': m_encoder.content_type}\n res = self.session.post(url, params=fmfile, data=monitor,\n headers=headers)\n if res.status_code != 200:\n hellraiser(res)\n if auto_complete:\n return self.complete()\n return res\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
if 'status' in self.transfer_info:
self._complete = self.transfer_info['status'] == 'STATUS_COMPLETE'
return self._complete
| is_complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'status' in self.transfer_info:\n self._complete = self.transfer_info['status'] == 'STATUS_COMPLETE'\n return self._complete\n",
"role": "user"
},
{
"content": "is_complete",
"role": "assistant"
}
] |
def x(self, to):
method, url = get_URL('forward')
payload = {'apikey': self.session.cookies.get('apikey'), 'transferid':
self.transfer_id, 'transferkey': self.transfer_info.get(
'transferkey'), 'to': self._parse_recipients(to)}
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
return True
hellraiser(res)
| forward | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to):\n method, url = get_URL('forward')\n payload = {'apikey': self.session.cookies.get('apikey'), 'transferid':\n self.transfer_id, 'transferkey': self.transfer_info.get(\n 'transferkey'), 'to': self._parse_recipients(to)}\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n return True\n hellraiser(res)\n",
"role": "user"
},
{
"content": "forward",
"role": "assistant"
}
] |
def x(self, to, sender=None, message=None):
method, url = get_URL('share')
payload = {'apikey': self.session.cookies.get('apikey'), 'logintoken':
self.session.cookies.get('logintoken'), 'transferid': self.
transfer_id, 'to': self._parse_recipients(to), 'from': sender or
self.fm_user.username, 'message': message or ''}
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
return True
hellraiser(res)
| share | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to, sender=None, message=None):\n method, url = get_URL('share')\n payload = {'apikey': self.session.cookies.get('apikey'), 'logintoken':\n self.session.cookies.get('logintoken'), 'transferid': self.\n transfer_id, 'to': self._parse_recipients(to), 'from': sender or\n self.fm_user.username, 'message': message or ''}\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n return True\n hellraiser(res)\n",
"role": "user"
},
{
"content": "share",
"role": "assistant"
}
] |
def x(self):
method, url = get_URL('cancel')
payload = {'apikey': self.config.get('apikey'), 'transferid': self.
transfer_id, 'transferkey': self.transfer_info.get('transferkey')}
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
self._complete = True
return True
hellraiser(res)
| cancel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n method, url = get_URL('cancel')\n payload = {'apikey': self.config.get('apikey'), 'transferid': self.\n transfer_id, 'transferkey': self.transfer_info.get('transferkey')}\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n self._complete = True\n return True\n hellraiser(res)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self, fmfile, newname):
if not isinstance(fmfile, dict):
raise FMBaseError('fmfile must be a <dict>')
method, url = get_URL('file_rename')
payload = {'apikey': self.config.get('apikey'), 'logintoken': self.
session.cookies.get('logintoken'), 'fileid': fmfile.get('fileid'),
'filename': newname}
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
self._complete = True
return True
hellraiser(res)
| rename_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmfile, newname):\n if not isinstance(fmfile, dict):\n raise FMBaseError('fmfile must be a <dict>')\n method, url = get_URL('file_rename')\n payload = {'apikey': self.config.get('apikey'), 'logintoken': self.\n session.cookies.get('logintoken'), 'fileid': fmfile.get('fileid'),\n 'filename': newname}\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n self._complete = True\n return True\n hellraiser(res)\n",
"role": "user"
},
{
"content": "rename_file",
"role": "assistant"
}
] |
def x(self, fmfile):
if not isinstance(fmfile, dict):
raise FMFileError('fmfile must be a <dict>')
method, url = get_URL('file_delete')
payload = {'apikey': self.config.get('apikey'), 'logintoken': self.
session.cookies.get('logintoken'), 'fileid': fmfile.get('fileid')}
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
self._complete = True
return True
hellraiser(res)
| delete_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmfile):\n if not isinstance(fmfile, dict):\n raise FMFileError('fmfile must be a <dict>')\n method, url = get_URL('file_delete')\n payload = {'apikey': self.config.get('apikey'), 'logintoken': self.\n session.cookies.get('logintoken'), 'fileid': fmfile.get('fileid')}\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n self._complete = True\n return True\n hellraiser(res)\n",
"role": "user"
},
{
"content": "delete_file",
"role": "assistant"
}
] |
def x(self, message=None, subject=None, days=None, downloads=None, notify=None
):
method, url = get_URL('update')
payload = {'apikey': self.config.get('apikey'), 'logintoken': self.
session.cookies.get('logintoken'), 'transferid': self.transfer_id}
data = {'message': message or self.transfer_info.get('message'),
'message': subject or self.transfer_info.get('subject'), 'days':
days or self.transfer_info.get('days'), 'downloads': downloads or
self.transfer_info.get('downloads'), 'notify': notify or self.
transfer_info.get('notify')}
payload.update(data)
res = getattr(self.session, method)(url, params=payload)
if res.status_code:
self.transfer_info.update(data)
return True
hellraiser(res)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message=None, subject=None, days=None, downloads=None, notify=None\n ):\n method, url = get_URL('update')\n payload = {'apikey': self.config.get('apikey'), 'logintoken': self.\n session.cookies.get('logintoken'), 'transferid': self.transfer_id}\n data = {'message': message or self.transfer_info.get('message'),\n 'message': subject or self.transfer_info.get('subject'), 'days': \n days or self.transfer_info.get('days'), 'downloads': downloads or\n self.transfer_info.get('downloads'), 'notify': notify or self.\n transfer_info.get('notify')}\n payload.update(data)\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code:\n self.transfer_info.update(data)\n return True\n hellraiser(res)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, files=None, destination=None, overwrite=False, callback=None):
if files is None:
files = self.files
elif not isinstance(files, list):
files = [files]
if destination is None:
destination = os.path.expanduser('~')
for f in files:
if not isinstance(f, dict):
raise FMBaseError('File must be a <dict> with file data')
self._download(f, destination, overwrite, callback)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, files=None, destination=None, overwrite=False, callback=None):\n if files is None:\n files = self.files\n elif not isinstance(files, list):\n files = [files]\n if destination is None:\n destination = os.path.expanduser('~')\n for f in files:\n if not isinstance(f, dict):\n raise FMBaseError('File must be a <dict> with file data')\n self._download(f, destination, overwrite, callback)\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(self, fmfile, destination, overwrite, callback):
fullpath = os.path.join(destination, fmfile.get('filename'))
path, filename = os.path.split(fullpath)
if os.path.exists(fullpath):
msg = 'Skipping existing file: {filename}'
logger.info(msg.format(filename=filename))
return
filesize = fmfile.get('filesize')
if not os.path.exists(path):
os.makedirs(path)
url = fmfile.get('downloadurl')
stream = self.session.get(url, stream=True)
def x(bytes_written):
if pm.COMMANDLINE:
bar.show(bytes_written)
elif callback is not None:
callback(filesize, bytes_written)
if pm.COMMANDLINE:
label = fmfile['filename'] + ': '
bar = ProgressBar(label=label, expected_size=filesize)
bytes_written = 0
with open(fullpath, 'wb') as f:
for chunk in stream.iter_content(chunk_size=1024 * 1024):
if not chunk:
break
f.write(chunk)
bytes_written += len(chunk)
pg_callback(bytes_written)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmfile, destination, overwrite, callback):\n fullpath = os.path.join(destination, fmfile.get('filename'))\n path, filename = os.path.split(fullpath)\n if os.path.exists(fullpath):\n msg = 'Skipping existing file: {filename}'\n logger.info(msg.format(filename=filename))\n return\n filesize = fmfile.get('filesize')\n if not os.path.exists(path):\n os.makedirs(path)\n url = fmfile.get('downloadurl')\n stream = self.session.get(url, stream=True)\n\n def x(bytes_written):\n if pm.COMMANDLINE:\n bar.show(bytes_written)\n elif callback is not None:\n callback(filesize, bytes_written)\n if pm.COMMANDLINE:\n label = fmfile['filename'] + ': '\n bar = ProgressBar(label=label, expected_size=filesize)\n bytes_written = 0\n with open(fullpath, 'wb') as f:\n for chunk in stream.iter_content(chunk_size=1024 * 1024):\n if not chunk:\n break\n f.write(chunk)\n bytes_written += len(chunk)\n pg_callback(bytes_written)\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(self):
method, url = get_URL('compress')
payload = {'apikey': self.config.get('apikey'), 'logintoken': self.
session.cookies.get('logintoken'), 'transferid': self.transfer_id}
res = getattr(self.session, method)(url, params=payload)
if res.status_code == 200:
return True
hellraiser(res)
| compress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n method, url = get_URL('compress')\n payload = {'apikey': self.config.get('apikey'), 'logintoken': self.\n session.cookies.get('logintoken'), 'transferid': self.transfer_id}\n res = getattr(self.session, method)(url, params=payload)\n if res.status_code == 200:\n return True\n hellraiser(res)\n",
"role": "user"
},
{
"content": "compress",
"role": "assistant"
}
] |
def x(self, pin, timeout=5):
return self.keyword_parse.from_initials_list([self.mnemonic.
reality_to_starter('major_system', number) for number in pin], timeout)
| from_pin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pin, timeout=5):\n return self.keyword_parse.from_initials_list([self.mnemonic.\n reality_to_starter('major_system', number) for number in pin], timeout)\n",
"role": "user"
},
{
"content": "from_pin",
"role": "assistant"
}
] |
def x(self, keyword_list, strictness=2, timeout=3):
return self.keyword_parse.from_keyword_list(keyword_list, strictness,
timeout)
| from_keywords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyword_list, strictness=2, timeout=3):\n return self.keyword_parse.from_keyword_list(keyword_list, strictness,\n timeout)\n",
"role": "user"
},
{
"content": "from_keywords",
"role": "assistant"
}
] |
def x(flag_name, default_value, docstring, flagtype, required):
option_name = flag_name if required else '--%s' % flag_name
get_context_parser().add_argument(option_name, default=default_value,
help=docstring, type=flagtype)
| define_helper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name, default_value, docstring, flagtype, required):\n option_name = flag_name if required else '--%s' % flag_name\n get_context_parser().add_argument(option_name, default=default_value,\n help=docstring, type=flagtype)\n",
"role": "user"
},
{
"content": "define_helper",
"role": "assistant"
}
] |
def x(flag_name, default_value, docstring, required=False):
_define_helper(flag_name, default_value, docstring, str, required)
| DEFINE_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name, default_value, docstring, required=False):\n _define_helper(flag_name, default_value, docstring, str, required)\n",
"role": "user"
},
{
"content": "DEFINE_string",
"role": "assistant"
}
] |
def x(flag_name, default_value, docstring, required=False):
_define_helper(flag_name, default_value, docstring, int, required)
| DEFINE_integer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name, default_value, docstring, required=False):\n _define_helper(flag_name, default_value, docstring, int, required)\n",
"role": "user"
},
{
"content": "DEFINE_integer",
"role": "assistant"
}
] |
def x(flag_name, default_value, docstring):
def x(bool_str):
return bool_str.lower() in ('true', 't', '1')
get_context_parser().add_argument('--' + flag_name, nargs='?', const=
True, help=docstring, default=default_value, type=str2bool)
get_context_parser().add_argument('--no' + flag_name, action=
'store_false', dest=flag_name.replace('-', '_'))
| DEFINE_boolean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name, default_value, docstring):\n\n def x(bool_str):\n return bool_str.lower() in ('true', 't', '1')\n get_context_parser().add_argument('--' + flag_name, nargs='?', const=\n True, help=docstring, default=default_value, type=str2bool)\n get_context_parser().add_argument('--no' + flag_name, action=\n 'store_false', dest=flag_name.replace('-', '_'))\n",
"role": "user"
},
{
"content": "DEFINE_boolean",
"role": "assistant"
}
] |
def x(flag_name, default_value, docstring, required=False):
_define_helper(flag_name, default_value, docstring, float, required)
| DEFINE_float | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name, default_value, docstring, required=False):\n _define_helper(flag_name, default_value, docstring, float, required)\n",
"role": "user"
},
{
"content": "DEFINE_float",
"role": "assistant"
}
] |
def x(self, dest):
if not self._subparsers:
self._subparsers = self.parser.add_subparsers(dest=dest)
elif self._subparsers.dest != dest:
raise KeyError(
'Subparser names mismatch. You can only create one subcommand.')
return self._subparsers
| get_subparsers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dest):\n if not self._subparsers:\n self._subparsers = self.parser.add_subparsers(dest=dest)\n elif self._subparsers.dest != dest:\n raise KeyError(\n 'Subparser names mismatch. You can only create one subcommand.')\n return self._subparsers\n",
"role": "user"
},
{
"content": "get_subparsers",
"role": "assistant"
}
] |
def x(self, name, dest='subcommand', **kwargs):
if name not in self.children:
subparsers = self._get_subparsers(dest)
parser = subparsers.add_parser(name, **kwargs)
self.children[name] = NamedParser(name, parser)
return self.children[name]
| get_subparser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, dest='subcommand', **kwargs):\n if name not in self.children:\n subparsers = self._get_subparsers(dest)\n parser = subparsers.add_parser(name, **kwargs)\n self.children[name] = NamedParser(name, parser)\n return self.children[name]\n",
"role": "user"
},
{
"content": "get_subparser",
"role": "assistant"
}
] |
def x(attrs, supported=True):
if not supported:
return ''
if type(attrs) == str:
attrs = [attrs]
result = '\x1b['
for attr in attrs:
result += term_attributes[attr] + ';'
return result[:-1] + 'm'
| build_attr_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(attrs, supported=True):\n if not supported:\n return ''\n if type(attrs) == str:\n attrs = [attrs]\n result = '\\x1b['\n for attr in attrs:\n result += term_attributes[attr] + ';'\n return result[:-1] + 'm'\n",
"role": "user"
},
{
"content": "build_attr_string",
"role": "assistant"
}
] |
def x(widths, gap_width, term_width):
def x(widths, gap_width, ncols):
longest = 0
rows = [widths[s:s + ncols] for s in range(0, len(widths), ncols)]
col_widths = rows[0]
for r in rows:
for ii, c in enumerate(r):
if c > col_widths[ii]:
col_widths[ii] = c
length = sum(col_widths) + gap_width * (ncols - 1)
if length > longest:
longest = length
return longest, col_widths
def x(num_items, cols):
div, mod = divmod(num_items, cols)
return div + (mod != 0)
ncols = len(widths)
while ncols > 0:
longest_width, col_widths = calc_longest_width(widths, gap_width, ncols
)
if longest_width < term_width:
return calc_num_rows(len(widths), ncols), ncols, col_widths
else:
ncols -= 1
return len(widths), 1, 0
| get_num_columns_and_rows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(widths, gap_width, term_width):\n\n def x(widths, gap_width, ncols):\n longest = 0\n rows = [widths[s:s + ncols] for s in range(0, len(widths), ncols)]\n col_widths = rows[0]\n for r in rows:\n for ii, c in enumerate(r):\n if c > col_widths[ii]:\n col_widths[ii] = c\n length = sum(col_widths) + gap_width * (ncols - 1)\n if length > longest:\n longest = length\n return longest, col_widths\n\n def x(num_items, cols):\n div, mod = divmod(num_items, cols)\n return div + (mod != 0)\n ncols = len(widths)\n while ncols > 0:\n longest_width, col_widths = calc_longest_width(widths, gap_width, ncols\n )\n if longest_width < term_width:\n return calc_num_rows(len(widths), ncols), ncols, col_widths\n else:\n ncols -= 1\n return len(widths), 1, 0\n",
"role": "user"
},
{
"content": "get_num_columns_and_rows",
"role": "assistant"
}
] |
def x():
def x(fd):
try:
import struct, fcntl, termios
cr = struct.unpack('hh', fcntl.ioctl(1, termios.TIOCGWINSZ, '0000')
)
except ImportError:
return None
except IOError as e:
return None
return cr[1], cr[0]
cr = read_terminal_size_by_ioctl(0) or read_terminal_size_by_ioctl(1
) or read_terminal_size_by_ioctl(2)
if not cr:
try:
import os
fd = os.open(os.ctermid(), os.O_RDONLY)
cr = read_terminal_size_by_ioctl(fd)
os.close(fd)
except:
pass
if not cr:
import os
cr = [80, 25]
if os.getenv('ROWS'):
cr[1] = int(os.getenv('ROWS'))
if os.getenv('COLUMNS'):
cr[0] = int(os.getenv('COLUMNS'))
return cr[1], cr[0]
| get_terminal_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x(fd):\n try:\n import struct, fcntl, termios\n cr = struct.unpack('hh', fcntl.ioctl(1, termios.TIOCGWINSZ, '0000')\n )\n except ImportError:\n return None\n except IOError as e:\n return None\n return cr[1], cr[0]\n cr = read_terminal_size_by_ioctl(0) or read_terminal_size_by_ioctl(1\n ) or read_terminal_size_by_ioctl(2)\n if not cr:\n try:\n import os\n fd = os.open(os.ctermid(), os.O_RDONLY)\n cr = read_terminal_size_by_ioctl(fd)\n os.close(fd)\n except:\n pass\n if not cr:\n import os\n cr = [80, 25]\n if os.getenv('ROWS'):\n cr[1] = int(os.getenv('ROWS'))\n if os.getenv('COLUMNS'):\n cr[0] = int(os.getenv('COLUMNS'))\n return cr[1], cr[0]\n",
"role": "user"
},
{
"content": "get_terminal_size",
"role": "assistant"
}
] |
def x(dict):
result = []
for item in list(dict.keys()):
result.append(SDOPackage.NameValue(item, omniORB.any.to_any(dict[
item])))
return result
| dict_to_nvlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict):\n result = []\n for item in list(dict.keys()):\n result.append(SDOPackage.NameValue(item, omniORB.any.to_any(dict[\n item])))\n return result\n",
"role": "user"
},
{
"content": "dict_to_nvlist",
"role": "assistant"
}
] |
def x(nvlist):
result = {}
for item in nvlist:
result[item.name] = item.value.value()
return result
| nvlist_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nvlist):\n result = {}\n for item in nvlist:\n result[item.name] = item.value.value()\n return result\n",
"role": "user"
},
{
"content": "nvlist_to_dict",
"role": "assistant"
}
] |
def x(path, filter):
if not filter:
return False
for p in filter:
if len(path) > len(p):
if path[:len(p)] == p:
return False
elif p[:len(path)] == path:
return False
return True
| filtered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, filter):\n if not filter:\n return False\n for p in filter:\n if len(path) > len(p):\n if path[:len(p)] == p:\n return False\n elif p[:len(path)] == path:\n return False\n return True\n",
"role": "user"
},
{
"content": "filtered",
"role": "assistant"
}
] |
def x(filter, levels=1):
trimmed = [f[levels:] for f in filter]
return [f for f in trimmed if f]
| trim_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter, levels=1):\n trimmed = [f[levels:] for f in filter]\n return [f for f in trimmed if f]\n",
"role": "user"
},
{
"content": "trim_filter",
"role": "assistant"
}
] |
def x(self, bug_number):
bug = self.request('bug/%s' % bug_number, params={'include_fields':
self.DEFAULT_SEARCH})
return Bug(self, **bug['bugs'][0])
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bug_number):\n bug = self.request('bug/%s' % bug_number, params={'include_fields':\n self.DEFAULT_SEARCH})\n return Bug(self, **bug['bugs'][0])\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, bug):
if not self._have_auth:
raise BugsyException(
"Unfortunately you can't put bugs in Bugzilla without credentials")
if not isinstance(bug, Bug):
raise BugsyException(
'Please pass in a Bug object when posting to Bugzilla')
if not bug.id:
result = self.request('bug', 'POST', json=bug.to_dict())
if 'error' not in result:
bug._bug['id'] = result['id']
bug._bugsy = self
try:
bug._bug.pop('comment')
except Exception:
pass
else:
raise BugsyException(result['message'])
else:
result = self.request('bug/%s' % bug.id, 'PUT', json=bug.to_dict())
updated_bug = self.get(bug.id)
return updated_bug
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bug):\n if not self._have_auth:\n raise BugsyException(\n \"Unfortunately you can't put bugs in Bugzilla without credentials\")\n if not isinstance(bug, Bug):\n raise BugsyException(\n 'Please pass in a Bug object when posting to Bugzilla')\n if not bug.id:\n result = self.request('bug', 'POST', json=bug.to_dict())\n if 'error' not in result:\n bug._bug['id'] = result['id']\n bug._bugsy = self\n try:\n bug._bug.pop('comment')\n except Exception:\n pass\n else:\n raise BugsyException(result['message'])\n else:\n result = self.request('bug/%s' % bug.id, 'PUT', json=bug.to_dict())\n updated_bug = self.get(bug.id)\n return updated_bug\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, path, method='GET', headers=None, **kwargs):
headers = {} if headers is None else headers.copy()
headers['User-Agent'] = 'Bugsy'
kwargs['headers'] = headers
url = '%s/%s' % (self.bugzilla_url, path)
return self._handle_errors(self.session.request(method, url, **kwargs))
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, method='GET', headers=None, **kwargs):\n headers = {} if headers is None else headers.copy()\n headers['User-Agent'] = 'Bugsy'\n kwargs['headers'] = headers\n url = '%s/%s' % (self.bugzilla_url, path)\n return self._handle_errors(self.session.request(method, url, **kwargs))\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(dist_mat, n_closest=5):
dist_mat = dist_mat.copy()
dist_mat[np.where(dist_mat == 0)] = np.inf
estimates = []
for i in range(dist_mat.shape[0]):
row = dist_mat[i]
dists = sorted(np.partition(row, n_closest)[:n_closest])
difs = [(x, y, y - x) for x, y in zip(dists, dists[1:])]
eps_candidate, _, jump = max(difs, key=lambda x: x[2])
estimates.append(eps_candidate)
return sorted(estimates)
| estimate_eps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist_mat, n_closest=5):\n dist_mat = dist_mat.copy()\n dist_mat[np.where(dist_mat == 0)] = np.inf\n estimates = []\n for i in range(dist_mat.shape[0]):\n row = dist_mat[i]\n dists = sorted(np.partition(row, n_closest)[:n_closest])\n difs = [(x, y, y - x) for x, y in zip(dists, dists[1:])]\n eps_candidate, _, jump = max(difs, key=lambda x: x[2])\n estimates.append(eps_candidate)\n return sorted(estimates)\n",
"role": "user"
},
{
"content": "estimate_eps",
"role": "assistant"
}
] |
def x(X, max_k):
ks = range(1, max_k)
fs = np.zeros(len(ks))
fs[0], Sk = _fK(1)
for k in ks[1:]:
fs[k - 1], Sk = _fK(k, Skm1=Sk)
return np.argmin(fs) + 1
| estimate_k | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, max_k):\n ks = range(1, max_k)\n fs = np.zeros(len(ks))\n fs[0], Sk = _fK(1)\n for k in ks[1:]:\n fs[k - 1], Sk = _fK(k, Skm1=Sk)\n return np.argmin(fs) + 1\n",
"role": "user"
},
{
"content": "estimate_k",
"role": "assistant"
}
] |
def x(allowed_fields: dict, fields: FieldsParam) ->Iterable[str]:
if fields == ALL:
fields = allowed_fields.keys()
else:
fields = tuple(fields)
unknown_fields = set(fields) - allowed_fields.keys()
if unknown_fields:
raise ValueError('Unknown fields: {}'.format(unknown_fields))
return fields
| clean_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(allowed_fields: dict, fields: FieldsParam) ->Iterable[str]:\n if fields == ALL:\n fields = allowed_fields.keys()\n else:\n fields = tuple(fields)\n unknown_fields = set(fields) - allowed_fields.keys()\n if unknown_fields:\n raise ValueError('Unknown fields: {}'.format(unknown_fields))\n return fields\n",
"role": "user"
},
{
"content": "clean_fields",
"role": "assistant"
}
] |
def x(db, where_query: str, where_params: SQLParams, fields: FieldsParam=
ALL, episode_fields: FieldsParam=()) ->Iterator[Anime]:
logger.debug('select(%r, %r, %r, %r, %r)', db, where_query,
where_params, fields, episode_fields)
fields = _clean_fields(ANIME_FIELDS, fields)
if not fields:
raise ValueError('Fields cannot be empty')
if set(fields) & STATUS_FIELDS.keys():
cur = db.cursor().execute(ANIME_QUERY.format('aid', where_query),
where_params)
for row in cur:
cache_status(db, row[0])
if 'aid' in fields:
episode_fields = _clean_fields(EPISODE_FIELDS, episode_fields)
else:
episode_fields = ()
with db:
anime_query = ANIME_QUERY.format(','.join(ANIME_FIELDS[field] for
field in fields), where_query)
anime_rows = db.cursor().execute(anime_query, where_params)
for row in anime_rows:
anime = Anime(**{field: value for field, value in zip(fields, row)}
)
if episode_fields:
episode_query = 'SELECT {} FROM episode WHERE aid=?'
episode_query = episode_query.format(','.join(
EPISODE_FIELDS[field] for field in episode_fields))
episode_rows = db.cursor().execute(episode_query, (anime.aid,))
episodes = [Episode(**{field: value for field, value in zip
(episode_fields, row)}) for row in episode_rows]
anime.episodes = episodes
yield anime
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db, where_query: str, where_params: SQLParams, fields: FieldsParam=\n ALL, episode_fields: FieldsParam=()) ->Iterator[Anime]:\n logger.debug('select(%r, %r, %r, %r, %r)', db, where_query,\n where_params, fields, episode_fields)\n fields = _clean_fields(ANIME_FIELDS, fields)\n if not fields:\n raise ValueError('Fields cannot be empty')\n if set(fields) & STATUS_FIELDS.keys():\n cur = db.cursor().execute(ANIME_QUERY.format('aid', where_query),\n where_params)\n for row in cur:\n cache_status(db, row[0])\n if 'aid' in fields:\n episode_fields = _clean_fields(EPISODE_FIELDS, episode_fields)\n else:\n episode_fields = ()\n with db:\n anime_query = ANIME_QUERY.format(','.join(ANIME_FIELDS[field] for\n field in fields), where_query)\n anime_rows = db.cursor().execute(anime_query, where_params)\n for row in anime_rows:\n anime = Anime(**{field: value for field, value in zip(fields, row)}\n )\n if episode_fields:\n episode_query = 'SELECT {} FROM episode WHERE aid=?'\n episode_query = episode_query.format(','.join(\n EPISODE_FIELDS[field] for field in episode_fields))\n episode_rows = db.cursor().execute(episode_query, (anime.aid,))\n episodes = [Episode(**{field: value for field, value in zip\n (episode_fields, row)}) for row in episode_rows]\n anime.episodes = episodes\n yield anime\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(db, aid: int, fields: FieldsParam=ALL, episode_fields: FieldsParam=()
) ->Anime:
return next(select(db, 'aid=?', (aid,), fields=fields, episode_fields=
episode_fields))
| lookup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db, aid: int, fields: FieldsParam=ALL, episode_fields: FieldsParam=()\n ) ->Anime:\n return next(select(db, 'aid=?', (aid,), fields=fields, episode_fields=\n episode_fields))\n",
"role": "user"
},
{
"content": "lookup",
"role": "assistant"
}
] |
def x(model_admin=None):
from django.conf import settings
import string
default_ltrs = string.digits + string.ascii_uppercase
default_letters = getattr(settings, 'DEFAULT_ALPHABET', default_ltrs)
if model_admin and hasattr(model_admin, 'DEFAULT_ALPHABET'):
default_letters = model_admin.DEFAULT_ALPHABET
if callable(default_letters):
return set(default_letters())
elif isinstance(default_letters, str):
return set([x for x in default_letters])
elif isinstance(default_letters, str):
return set([x for x in default_letters.decode('utf8')])
elif isinstance(default_letters, (tuple, list)):
return set(default_letters)
| get_default_letters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_admin=None):\n from django.conf import settings\n import string\n default_ltrs = string.digits + string.ascii_uppercase\n default_letters = getattr(settings, 'DEFAULT_ALPHABET', default_ltrs)\n if model_admin and hasattr(model_admin, 'DEFAULT_ALPHABET'):\n default_letters = model_admin.DEFAULT_ALPHABET\n if callable(default_letters):\n return set(default_letters())\n elif isinstance(default_letters, str):\n return set([x for x in default_letters])\n elif isinstance(default_letters, str):\n return set([x for x in default_letters.decode('utf8')])\n elif isinstance(default_letters, (tuple, list)):\n return set(default_letters)\n",
"role": "user"
},
{
"content": "get_default_letters",
"role": "assistant"
}
] |
def x(field_name, queryset):
if django.VERSION[1] <= 4:
result = queryset.values(field_name).annotate(fl=FirstLetter(
field_name)).values('fl').distinct()
return set([res['fl'] for res in result if res['fl'] is not None])
else:
from django.db import connection
qn = connection.ops.quote_name
db_table = queryset.model._meta.db_table
sql = 'SELECT DISTINCT UPPER(SUBSTR(%s, 1, 1)) as letter FROM %s' % (qn
(field_name), qn(db_table))
cursor = connection.cursor()
cursor.execute(sql)
rows = cursor.fetchall() or ()
return set([row[0] for row in rows if row[0] is not None])
| get_available_letters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field_name, queryset):\n if django.VERSION[1] <= 4:\n result = queryset.values(field_name).annotate(fl=FirstLetter(\n field_name)).values('fl').distinct()\n return set([res['fl'] for res in result if res['fl'] is not None])\n else:\n from django.db import connection\n qn = connection.ops.quote_name\n db_table = queryset.model._meta.db_table\n sql = 'SELECT DISTINCT UPPER(SUBSTR(%s, 1, 1)) as letter FROM %s' % (qn\n (field_name), qn(db_table))\n cursor = connection.cursor()\n cursor.execute(sql)\n rows = cursor.fetchall() or ()\n return set([row[0] for row in rows if row[0] is not None])\n",
"role": "user"
},
{
"content": "get_available_letters",
"role": "assistant"
}
] |
def x(cl):
if not getattr(cl.model_admin, 'alphabet_filter', False):
return
field_name = cl.model_admin.alphabet_filter
alpha_field = '%s__istartswith' % field_name
alpha_lookup = cl.params.get(alpha_field, '')
letters_used = _get_available_letters(field_name, cl.model.objects.all())
all_letters = list(_get_default_letters(cl.model_admin) | letters_used)
all_letters.sort()
choices = [{'link': cl.get_query_string({alpha_field: letter}), 'title':
letter, 'active': letter == alpha_lookup, 'has_entries': letter in
letters_used} for letter in all_letters]
all_letters = [{'link': cl.get_query_string(None, [alpha_field]),
'title': _('All'), 'active': '' == alpha_lookup, 'has_entries': True}]
return {'choices': all_letters + choices}
| alphabet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cl):\n if not getattr(cl.model_admin, 'alphabet_filter', False):\n return\n field_name = cl.model_admin.alphabet_filter\n alpha_field = '%s__istartswith' % field_name\n alpha_lookup = cl.params.get(alpha_field, '')\n letters_used = _get_available_letters(field_name, cl.model.objects.all())\n all_letters = list(_get_default_letters(cl.model_admin) | letters_used)\n all_letters.sort()\n choices = [{'link': cl.get_query_string({alpha_field: letter}), 'title':\n letter, 'active': letter == alpha_lookup, 'has_entries': letter in\n letters_used} for letter in all_letters]\n all_letters = [{'link': cl.get_query_string(None, [alpha_field]),\n 'title': _('All'), 'active': '' == alpha_lookup, 'has_entries': True}]\n return {'choices': all_letters + choices}\n",
"role": "user"
},
{
"content": "alphabet",
"role": "assistant"
}
] |
def x(parser, token):
bits = token.split_contents()
if len(bits) == 3:
return AlphabetFilterNode(bits[1], bits[2])
elif len(bits) == 4:
if '=' in bits[3]:
key, val = bits[3].split('=')
return AlphabetFilterNode(bits[1], bits[2], strip_params=val)
else:
return AlphabetFilterNode(bits[1], bits[2], template_name=bits[3])
elif len(bits) == 5:
key, val = bits[4].split('=')
return AlphabetFilterNode(bits[1], bits[2], bits[3], bits[4])
else:
raise TemplateSyntaxError(
'%s is called with a queryset and field name, and optionally a template.'
% bits[0])
| qs_alphabet_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, token):\n bits = token.split_contents()\n if len(bits) == 3:\n return AlphabetFilterNode(bits[1], bits[2])\n elif len(bits) == 4:\n if '=' in bits[3]:\n key, val = bits[3].split('=')\n return AlphabetFilterNode(bits[1], bits[2], strip_params=val)\n else:\n return AlphabetFilterNode(bits[1], bits[2], template_name=bits[3])\n elif len(bits) == 5:\n key, val = bits[4].split('=')\n return AlphabetFilterNode(bits[1], bits[2], bits[3], bits[4])\n else:\n raise TemplateSyntaxError(\n '%s is called with a queryset and field name, and optionally a template.'\n % bits[0])\n",
"role": "user"
},
{
"content": "qs_alphabet_filter",
"role": "assistant"
}
] |
def x(cls):
installed_classes = {}
for entry_point in pkg_resources.iter_entry_points(cls.entry_point):
try:
plugin = entry_point.load()
except ImportError as e:
logger.error('Could not load plugin %s: %s', entry_point.name,
str(e))
continue
if not issubclass(plugin, cls):
logger.error('Could not load plugin %s:' +
' %s class is not subclass of %s', entry_point.name, plugin
.__class__.__name__, cls.__name__)
continue
if not plugin.validate_dependencies():
logger.error('Could not load plugin %s:' +
' %s class dependencies not met', entry_point.name, plugin.
__name__)
continue
installed_classes[entry_point.name] = plugin
return installed_classes
| get_installed_classes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n installed_classes = {}\n for entry_point in pkg_resources.iter_entry_points(cls.entry_point):\n try:\n plugin = entry_point.load()\n except ImportError as e:\n logger.error('Could not load plugin %s: %s', entry_point.name,\n str(e))\n continue\n if not issubclass(plugin, cls):\n logger.error('Could not load plugin %s:' +\n ' %s class is not subclass of %s', entry_point.name, plugin\n .__class__.__name__, cls.__name__)\n continue\n if not plugin.validate_dependencies():\n logger.error('Could not load plugin %s:' +\n ' %s class dependencies not met', entry_point.name, plugin.\n __name__)\n continue\n installed_classes[entry_point.name] = plugin\n return installed_classes\n",
"role": "user"
},
{
"content": "get_installed_classes",
"role": "assistant"
}
] |
def x(cls, name, config):
installed_classes = cls.get_installed_classes()
if name not in installed_classes:
raise ValueError('Unknown/unavailable %s' % cls.__name__.lower())
pluggable_class = installed_classes[name]
pluggable_class.validate_config(config)
instance = pluggable_class()
if not instance.name:
instance.name = name
instance.apply_config(config)
return instance
| from_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, config):\n installed_classes = cls.get_installed_classes()\n if name not in installed_classes:\n raise ValueError('Unknown/unavailable %s' % cls.__name__.lower())\n pluggable_class = installed_classes[name]\n pluggable_class.validate_config(config)\n instance = pluggable_class()\n if not instance.name:\n instance.name = name\n instance.apply_config(config)\n return instance\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
def x(self, event):
name = os.path.basename(event.src_path)
name = name.replace('.yaml', '')
name = name.replace('.yml', '')
return name
| file_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n name = os.path.basename(event.src_path)\n name = name.replace('.yaml', '')\n name = name.replace('.yml', '')\n return name\n",
"role": "user"
},
{
"content": "file_name",
"role": "assistant"
}
] |
def x(self, event):
if os.path.isdir(event.src_path):
return
logger.debug('File created: %s', event.src_path)
name = self.file_name(event)
try:
result = self.target_class.from_config(name, yaml.load(open(event.
src_path)))
except Exception as e:
logger.exception('Error when loading new config file %s: %s', event
.src_path, str(e))
return
if not result:
return
self.on_add(self.target_class, name, result)
| on_created | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if os.path.isdir(event.src_path):\n return\n logger.debug('File created: %s', event.src_path)\n name = self.file_name(event)\n try:\n result = self.target_class.from_config(name, yaml.load(open(event.\n src_path)))\n except Exception as e:\n logger.exception('Error when loading new config file %s: %s', event\n .src_path, str(e))\n return\n if not result:\n return\n self.on_add(self.target_class, name, result)\n",
"role": "user"
},
{
"content": "on_created",
"role": "assistant"
}
] |
def x(self, event):
if os.path.isdir(event.src_path):
return
logger.debug('file modified: %s', event.src_path)
name = self.file_name(event)
try:
config = yaml.load(open(event.src_path))
self.target_class.from_config(name, config)
except Exception:
logger.exception('Error when loading updated config file %s', event
.src_path)
return
self.on_update(self.target_class, name, config)
| on_modified | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if os.path.isdir(event.src_path):\n return\n logger.debug('file modified: %s', event.src_path)\n name = self.file_name(event)\n try:\n config = yaml.load(open(event.src_path))\n self.target_class.from_config(name, config)\n except Exception:\n logger.exception('Error when loading updated config file %s', event\n .src_path)\n return\n self.on_update(self.target_class, name, config)\n",
"role": "user"
},
{
"content": "on_modified",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.