source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
resp = None
try:
resp = requests.get('http://%s:%s' % (self._ip, self._port))
if resp.status_code == 200:
return True
else:
return False
except:
return False
| is_runnnig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = None\n try:\n resp = requests.get('http://%s:%s' % (self._ip, self._port))\n if resp.status_code == 200:\n retur... |
def x(wordlen, input='x', output='~x'):
neg = bitwise_negate(wordlen, input, 'tmp')
inc = inc_gate(wordlen, 'tmp', output)
return neg >> inc
| negate_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wordlen, input='x', output='~x'):\n neg = bitwise_negate(wordlen, input, 'tmp')\n inc = inc_gate(wordlen, 'tmp', output)\n return neg >> inc\n",
"... |
def x(wordlen: int, k: int, input=None, output=None):
assert 0 <= k < 2 ** wordlen
if output is None:
output = _fresh()
if input is None:
input = _fresh()
input_names = named_indexes(wordlen, input)
atoms = map(aiger.atom, input_names)
active = False
expr = aiger.atom(False)
for atom, bit in zip(atoms, encode_int(wordlen, k, signed=False)):
active |= bit
if not active:
continue
expr = expr | atom if bit else expr & atom
return aigbv.AIGBV(aig=expr.aig, input_map=frozenset([(input, tuple(
input_names))]), output_map=frozenset([(output, (expr.output,))]))
| kmodels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wordlen: int, k: int, input=None, output=None):\n assert 0 <= k < 2 ** wordlen\n if output is None:\n output = _fresh()\n if input is None:\n ... |
def x(lobj):
ret = []
for item in lobj:
if isinstance(item, list):
for sub_item in flatten_list(item):
ret.append(sub_item)
else:
ret.append(item)
return ret
| flatten_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lobj):\n ret = []\n for item in lobj:\n if isinstance(item, list):\n for sub_item in flatten_list(item):\n ret.append(su... |
def x(self):
username = self._settings['username']
if not username:
raise ValueError('Username was not configured in %s' % CONFIG_FILE)
if self._settings['use_keyring']:
password = self.keyring_get_password(username)
if not password:
self.keyring_set_password(username)
password = self.keyring_get_password(username)
else:
password = self._settings['password']
return self._settings['username'], password
| auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n username = self._settings['username']\n if not username:\n raise ValueError('Username was not configured in %s' % CONFIG_FILE)\n if se... |
def x(self, file=CONFIG_FILE):
if not os.path.exists(file):
print(
'Config file was not found under %s. Default file has been created'
% CONFIG_FILE)
self._settings = yaml.load(DEFAULT_CONFIG, yaml.RoundTripLoader)
self.save(file)
sys.exit()
with open(file, 'r') as f:
self._settings = yaml.load(f, yaml.RoundTripLoader)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file=CONFIG_FILE):\n if not os.path.exists(file):\n print(\n 'Config file was not found under %s. Default file has been created'\n ... |
def x(self, file=CONFIG_FILE):
os.makedirs(os.path.dirname(file), exist_ok=True)
with open(file, 'w') as f:
yaml.dump(self._settings, f, Dumper=yaml.RoundTripDumper, width=
float('inf'))
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file=CONFIG_FILE):\n os.makedirs(os.path.dirname(file), exist_ok=True)\n with open(file, 'w') as f:\n yaml.dump(self._settings, f, Dumper=ya... |
def x(self, courses):
selected = list(filter(lambda x: x.course.id in self._settings[
'selected_courses'], courses))
selection = Picker(title='Select courses to download', options=courses,
checked=selected).getSelected()
if selection:
self._settings['selected_courses'] = list(map(lambda x: x.course.id,
selection))
self.save()
log.info('Updated course selection')
| selection_dialog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, courses):\n selected = list(filter(lambda x: x.course.id in self._settings[\n 'selected_courses'], courses))\n selection = Picker(title='Sel... |
def x(self):
body = dict()
if self.mapping is not None:
body['mappings'] = self.mapping
if self.settings is not None:
body['settings'] = self.settings
else:
body['settings'] = self._default_settings()
self.instance.indices.create(self.index, body)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n body = dict()\n if self.mapping is not None:\n body['mappings'] = self.mapping\n if self.settings is not None:\n body['settings... |
def x(self, query=None, size=100, unpack=True):
logging.info('Download all documents from index %s.', self.index)
if query is None:
query = self.match_all
results = list()
data = self.instance.search(index=self.index, doc_type=self.doc_type,
body=query, size=size)
if unpack:
for items in data['hits']['hits']:
if '_source' in items:
results.append(items['_source'])
else:
results.append(items)
else:
results = data['hits']['hits']
return results
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query=None, size=100, unpack=True):\n logging.info('Download all documents from index %s.', self.index)\n if query is None:\n query = self.m... |
def x(self, query: Union[Dict[str, str], None]=None) ->List[Dict[str, str]]:
if query is None:
query = self.match_all
logging.info('Download all documents from index %s with query %s.',
self.index, query)
results = list()
data = scan(self.instance, index=self.index, doc_type=self.doc_type,
query=query)
for items in data:
if '_source' in items:
results.append(items['_source'])
else:
results.append(items)
return results
| scan_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query: Union[Dict[str, str], None]=None) ->List[Dict[str, str]]:\n if query is None:\n query = self.match_all\n logging.info('Download all d... |
def x(self, query=None, scroll='5m', size=100, unpack=True):
query = self.match_all if query is None else query
response = self.instance.search(index=self.index, doc_type=self.
doc_type, body=query, size=size, scroll=scroll)
while len(response['hits']['hits']) > 0:
scroll_id = response['_scroll_id']
logging.debug(response)
if unpack:
yield [(source['_source'] if '_source' in source else source) for
source in response['hits']['hits']]
else:
yield response['hits']['hits']
response = self.instance.scroll(scroll_id=scroll_id, scroll=scroll)
| scroll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query=None, scroll='5m', size=100, unpack=True):\n query = self.match_all if query is None else query\n response = self.instance.search(index=self.... |
def x(self, identifier):
logging.info('Download document with id ' + str(identifier) + '.')
try:
record = self.instance.get(index=self.index, doc_type=self.doc_type,
id=identifier)
if '_source' in record:
return record['_source']
else:
return record
except NotFoundError:
return None
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identifier):\n logging.info('Download document with id ' + str(identifier) + '.')\n try:\n record = self.instance.get(index=self.index, doc_... |
def x(self, document, id) ->bool:
try:
self.instance.index(index=self.index, doc_type=self.doc_type, body=
json.dumps(document, ensure_ascii=False), id=id)
except RequestError as ex:
logging.error(ex)
return False
else:
return True
| index_into | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, document, id) ->bool:\n try:\n self.instance.index(index=self.index, doc_type=self.doc_type, body=\n json.dumps(document, ensure_asc... |
def x(self, doc_id: str) ->bool:
try:
self.instance.delete(self.index, self.doc_type, doc_id)
except RequestError as ex:
logging.error(ex)
return False
else:
return True
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc_id: str) ->bool:\n try:\n self.instance.delete(self.index, self.doc_type, doc_id)\n except RequestError as ex:\n logging.error(ex... |
def x(self, doc: dict, doc_id: str):
body = {'doc': doc}
self.instance.update(self.index, self.doc_type, doc_id, body=body)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc: dict, doc_id: str):\n body = {'doc': doc}\n self.instance.update(self.index, self.doc_type, doc_id, body=body)\n",
"role": "user"
},
{... |
def x(self, script: str, params: Union[dict, None], doc_id: str):
body = {'script': {'source': script, 'lang': 'painless'}}
if params is not None:
body['script']['params'] = params
self.instance.update(self.index, self.doc_type, doc_id, body=body)
| script_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, script: str, params: Union[dict, None], doc_id: str):\n body = {'script': {'source': script, 'lang': 'painless'}}\n if params is not None:\n ... |
def x(self, data: List[Dict[str, str]], identifier_key: str, op_type=
'index', upsert=False, keep_id_key=False) ->bool:
bulk_objects = []
for document in data:
bulk_object = dict()
bulk_object['_op_type'] = op_type
if identifier_key is not None and identifier_key != '':
bulk_object['_id'] = document[identifier_key]
if not keep_id_key:
document.pop(identifier_key)
if bulk_object['_id'] == '':
bulk_object.pop('_id')
if op_type == 'index':
bulk_object['_source'] = document
elif op_type == 'update':
bulk_object['doc'] = document
if upsert:
bulk_object['doc_as_upsert'] = True
bulk_objects.append(bulk_object)
logging.debug(str(bulk_object))
logging.info('Start bulk index for ' + str(len(bulk_objects)) + ' objects.'
)
errors = bulk(self.instance, actions=bulk_objects, index=self.index,
doc_type=self.doc_type, raise_on_error=False)
logging.info(str(errors[0]) +
' documents were successfully indexed/updated/deleted.')
if errors[0] - len(bulk_objects) != 0:
logging.error(str(len(bulk_objects) - errors[0]) +
' documents could not be indexed/updated/deleted.')
for error in errors[1]:
logging.error(str(error))
return False
else:
logging.debug('Finished bulk %s.', op_type)
return True
| bulk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: List[Dict[str, str]], identifier_key: str, op_type=\n 'index', upsert=False, keep_id_key=False) ->bool:\n bulk_objects = []\n for document... |
def x(self, new_index_name: str, identifier_key: str, **kwargs
) ->'ElasticIndex':
if 'url' not in kwargs:
kwargs['url'] = self.url
if 'doc_type' not in kwargs:
kwargs['doc_type'] = self.doc_type
if 'mapping' not in kwargs:
kwargs['mapping'] = self.mapping
new_index = ElasticIndex(new_index_name, **kwargs)
for results in self.scroll(size=500):
new_index.bulk(results, identifier_key)
return new_index
| reindex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_index_name: str, identifier_key: str, **kwargs\n ) ->'ElasticIndex':\n if 'url' not in kwargs:\n kwargs['url'] = self.url\n if 'doc_t... |
def x(self, path: str, file_name: str='', **kwargs: dict):
export = list()
for results in self.scroll():
export.extend(results)
if not path.endswith('/'):
path += '/'
if file_name == '':
file_name = self.index
if not file_name.endswith('.json'):
file_name += '.json'
store = path + file_name
with open(store, 'w') as fp:
json.dump(export, fp, **kwargs)
logging.info(
'Extracted %s records from the index %s and stored them in %s/%s.',
len(export), self.index, path, file_name)
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path: str, file_name: str='', **kwargs: dict):\n export = list()\n for results in self.scroll():\n export.extend(results)\n if not path.e... |
def x():
options, _ = _parse_args()
if options.change_password:
c.keyring_set_password(c['username'])
sys.exit(0)
if options.select:
courses = client.get_courses()
c.selection_dialog(courses)
c.save()
sys.exit(0)
if options.stop:
os.system('kill -2 `cat ~/.studdp/studdp.pid`')
sys.exit(0)
task = _MainLoop(options.daemonize, options.update_courses)
if options.daemonize:
log.info('daemonizing...')
with daemon.DaemonContext(working_directory='.', pidfile=
PIDLockFile(PID_FILE)):
handler = logging.FileHandler(LOG_PATH)
handler.setFormatter(
'%(asctime)s [%(levelname)s] %(name)s: %(message)s')
log.addHandler(handler)
task()
else:
task()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n options, _ = _parse_args()\n if options.change_password:\n c.keyring_set_password(c['username'])\n sys.exit(0)\n if options.select:... |
def x(self, signature_data):
result = Result()
for rule in self.pipeline:
rule_name = rule.__class__.__name__
try:
if rule.predicate(signature_data, result):
rule.action(signature_data, result)
except Exception as exc:
if self.error_handler:
self.error_handler(signature_data, exc_info=sys.exc_info(),
extra={'rule': rule_name})
result.info(rule_name, 'Rule failed: %s', exc)
return result
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signature_data):\n result = Result()\n for rule in self.pipeline:\n rule_name = rule.__class__.__name__\n try:\n if rule.p... |
def x(bvname2vals, name_map):
if len(name_map) == 0:
return dict()
return fn.merge(*(dict(zip(names, bvname2vals[bvname])) for bvname,
names in name_map))
| blast | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bvname2vals, name_map):\n if len(name_map) == 0:\n return dict()\n return fn.merge(*(dict(zip(names, bvname2vals[bvname])) for bvname,\n na... |
def x(name2vals, name_map):
def x(names):
return tuple(name2vals[n] for n in names)
return {bvname: _collect(names) for bvname, names in name_map}
| unblast | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name2vals, name_map):\n\n def x(names):\n return tuple(name2vals[n] for n in names)\n return {bvname: _collect(names) for bvname, names in name_ma... |
def x(self):
name = 'bors'
if hasattr(self, 'name'):
name = self.name
self.log = logging.getLogger(name)
try:
lvl = self.conf.get_log_level()
except AttributeError:
lvl = self.context.get('log_level', None)
self.log.setLevel(getattr(logging, lvl, logging.INFO))
| create_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n name = 'bors'\n if hasattr(self, 'name'):\n name = self.name\n self.log = logging.getLogger(name)\n try:\n lvl = self.conf.g... |
def x(project_name, project_data):
if project_name:
cls = getattr(facsimile.base, project_data.get('class', 'Facsimile'))
cls.name = project_name
else:
cls = facsimile.base.Facsimile
return cls
| get_cls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project_name, project_data):\n if project_name:\n cls = getattr(facsimile.base, project_data.get('class', 'Facsimile'))\n cls.name = project_n... |
def x(view_func):
@wraps(view_func)
def x(request, *args, **kwargs):
request.recaptcha_is_valid = None
if request.method == 'POST':
recaptcha_response = request.POST.get('g-recaptcha-response')
data = {'secret': settings.GOOGLE_RECAPTCHA_SECRET_KEY,
'response': recaptcha_response}
r = requests.post('https://www.google.com/recaptcha/api/siteverify'
, data=data)
result = r.json()
if result['success']:
request.recaptcha_is_valid = True
else:
request.recaptcha_is_valid = False
error_message = 'Invalid reCAPTCHA. Please try again. '
error_message += str(result['error-codes'])
print(error_message)
return view_func(request, *args, **kwargs)
return _wrapped_view
| check_recaptcha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view_func):\n\n @wraps(view_func)\n def x(request, *args, **kwargs):\n request.recaptcha_is_valid = None\n if request.method == 'POST':\n ... |
def x(self, url, method='GET', params=None, api_call=None):
method = method.lower()
params = params or {}
func = getattr(requests, method)
requests_args = {}
if method == 'get' or method == 'delete':
requests_args['params'] = params
else:
if params.get('json'):
requests_args['json'] = params.get('json')
if params.get('files'):
requests_args['files'] = params.get('files')
if params.get('data'):
requests_args['data'] = params.get('data')
try:
response = func(url, **requests_args)
except requests.RequestException as e:
raise SafecastPyError(str(e))
if response.status_code > 304:
if response.status_code == 401:
raise SafecastPyAuthError(response.json().get('error'))
if response.status_code in [422]:
raise SafecastPyError(response.json().get('errors'))
raise SafecastPyError(response.content, error_code=response.status_code
)
try:
if response.status_code == 204:
content = response.content
else:
content = response.json()
except ValueError:
raise SafecastPyError(
'Response was not valid JSON. Unable to decode.'
)
return content
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method='GET', params=None, api_call=None):\n method = method.lower()\n params = params or {}\n func = getattr(requests, method)\n reques... |
def x(self, endpoint, method='GET', params=None):
if endpoint.startswith('http'):
url = endpoint
else:
url = '%s/%s.json' % (self.api_url, endpoint)
if method != 'GET':
if self.api_key is None:
raise SafecastPyAuthError('Require an api_key')
url = url + '?api_key={0}'.format(self.api_key)
content = self._request(url, method=method, params=params, api_call=url)
return content
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, method='GET', params=None):\n if endpoint.startswith('http'):\n url = endpoint\n else:\n url = '%s/%s.json' % (self.api_url... |
def x(self, request, **kwargs):
request.method = 'GET'
dispatch_request = convert_post_to_VERB(request, 'GET')
return self.dispatch('list', dispatch_request, **kwargs)
| post_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n request.method = 'GET'\n dispatch_request = convert_post_to_VERB(request, 'GET')\n return self.dispatch('list', dispatch_r... |
def x(self, context):
for ware in self.middleware:
ware.premessage(context)
context = ware.bind(context)
ware.postmessage(context)
return context
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n for ware in self.middleware:\n ware.premessage(context)\n context = ware.bind(context)\n ware.postmessage(context)\n ... |
def x(self):
for ware in self.middleware:
ware.preshutdown()
self._shutdown()
ware.postshutdown()
| shutdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for ware in self.middleware:\n ware.preshutdown()\n self._shutdown()\n ware.postshutdown()\n",
"role": "user"
},
{
... |
def x(argv=None):
parser = argparse.ArgumentParser(description=DESCRIPTION)
parser.add_argument('pipeline', help=
'Python dotted path to rules pipeline to document')
parser.add_argument('output', help='output file')
if argv is None:
args = parser.parse_args()
else:
args = parser.parse_args(argv)
print('Generating documentation for %s in %s...' % (args.pipeline, args
.output))
rules = import_rules(args.pipeline)
with open(args.output, 'w') as fp:
fp.write('.. THIS IS AUTOGEMERATED USING:\n')
fp.write(' \n')
fp.write(' %s\n' % ' '.join(sys.argv))
fp.write(' \n')
fp.write('Signature generation rules pipeline\n')
fp.write('===================================\n')
fp.write('\n')
fp.write('\n')
fp.write(
'This is the signature generation pipeline defined at ``%s``:\n' %
args.pipeline)
fp.write('\n')
for i, rule in enumerate(rules):
li = '%s. ' % (i + 1)
fp.write('%s%s\n' % (li, indent(get_doc(rule), ' ' * len(li))))
fp.write('\n')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv=None):\n parser = argparse.ArgumentParser(description=DESCRIPTION)\n parser.add_argument('pipeline', help=\n 'Python dotted path to rules pip... |
def x(self, *args, **options):
taxonomy_id = options['taxonomy_id']
common_name = options['common_name'].strip()
scientific_name = options['scientific_name'].strip()
if common_name and scientific_name:
slug = slugify(scientific_name)
logger.info('Slug generated: %s', slug)
try:
org = Organism.objects.get(taxonomy_id=taxonomy_id)
org.common_name = common_name
org.scientific_name = scientific_name
org.slug = slug
except Organism.DoesNotExist:
org = Organism(taxonomy_id=taxonomy_id, common_name=common_name,
scientific_name=scientific_name, slug=slug)
org.save()
else:
logger.error(
'Failed to add or update organism. Please check that all fields are filled correctly.'
)
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **options):\n taxonomy_id = options['taxonomy_id']\n common_name = options['common_name'].strip()\n scientific_name = options['scientific... |
def x(resolution, pygame_flags=0, display_pos=(0, 0), interactive_mode=False):
os.environ['SDL_VIDEO_WINDOW_POS'] = '{}, {}'.format(*display_pos)
pygame.init()
pygame.font.init()
disp = pygame.display.set_mode(resolution, pygame_flags)
return _PumpThread() if interactive_mode else disp
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resolution, pygame_flags=0, display_pos=(0, 0), interactive_mode=False):\n os.environ['SDL_VIDEO_WINDOW_POS'] = '{}, {}'.format(*display_pos)\n pygame.in... |
def x(surface):
screen = pygame.display.get_surface()
screen.blit(surface, (0, 0))
pygame.display.flip()
| display | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(surface):\n screen = pygame.display.get_surface()\n screen.blit(surface, (0, 0))\n pygame.display.flip()\n",
"role": "user"
},
{
"content"... |
def x(fill_color, size=None):
sr = pygame.display.get_surface().get_rect()
surf = pygame.Surface(size or (sr.w, sr.h))
surf.fill(fill_color)
return surf
| empty_surface | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fill_color, size=None):\n sr = pygame.display.get_surface().get_rect()\n surf = pygame.Surface(size or (sr.w, sr.h))\n surf.fill(fill_color)\n retu... |
def x(buffer: str, char: str, mappings=_char_mappings):
if char in mappings:
return buffer + mappings[char]
elif char == '\x08':
return buffer[:-1] if len(buffer) > 0 else buffer
else:
return buffer + char
| process_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buffer: str, char: str, mappings=_char_mappings):\n if char in mappings:\n return buffer + mappings[char]\n elif char == '\\x08':\n return ... |
def x(self):
self.api = self.context.get('cls')(self.context)
self.context['inst'].append(self)
def x(*args, **kwargs):
self.is_connected_ws = True
self.api.on_ws_connect(*args, **kwargs)
if hasattr(self.api, 'on_ws_connect'):
self.thread = Process(target=self.api.connect_ws, args=(
on_ws_connect, [SockChannel(channel, res_type, self.
_generate_result) for channel, res_type in self.context.get(
'conf').get('subscriptions').items()]))
self.thread.start()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.api = self.context.get('cls')(self.context)\n self.context['inst'].append(self)\n\n def x(*args, **kwargs):\n self.is_connected_w... |
def x(self, channels):
chans = [SockChannel(chan, res, self._generate_result) for chan, res in
channels.items()]
self.api.channels.extend(chans)
self.api.connect_channels(chans)
| add_channels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channels):\n chans = [SockChannel(chan, res, self._generate_result) for chan, res in\n channels.items()]\n self.api.channels.extend(chans)\n... |
def x(self, res_type, channel, result):
schema = self.api.ws_result_schema()
schema.context['channel'] = channel
schema.context['response_type'] = res_type
self.callback(schema.load(result), self.context)
| generate_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, res_type, channel, result):\n schema = self.api.ws_result_schema()\n schema.context['channel'] = channel\n schema.context['response_type'] = res... |
def x(seq, n=None):
return map(random.choice, repeat(seq, n) if n is not None else repeat(seq))
| rand_elem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq, n=None):\n return map(random.choice, repeat(seq, n) if n is not None else repeat(seq))\n",
"role": "user"
},
{
"content": "rand_elem",
... |
def x(multiline_str, without_trailing_dot=True, maxlength=None):
stripped = '\n'.join([line.strip() for line in multiline_str.splitlines()])
paragraph = stripped.split('\n\n')[0]
res = paragraph.replace('\n', ' ')
if without_trailing_dot:
res = res.rsplit('.', 1)[0]
if maxlength:
res = res[0:maxlength]
return res
| first_paragraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(multiline_str, without_trailing_dot=True, maxlength=None):\n stripped = '\\n'.join([line.strip() for line in multiline_str.splitlines()])\n paragraph = s... |
def x(*args, **kwargs):
color = kwargs.get('color', blue)
bold = kwargs.get('bold', False)
prefix = kwargs.get('prefix', '')
tail = kwargs.get('tail', '\n')
def x(func):
@wraps(func)
def x(*args, **kwargs):
try:
prgf = first_paragraph(func.__doc__)
print(color(prefix + prgf + tail, bold))
except AttributeError as exc:
name = func.__name__
print(red(flo('{name}() has no docstring')))
raise exc
return func(*args, **kwargs)
return wrapper
invoked = bool(not args or kwargs)
if not invoked:
return real_decorator(func=args[0])
return real_decorator
| print_doc1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n color = kwargs.get('color', blue)\n bold = kwargs.get('bold', False)\n prefix = kwargs.get('prefix', '')\n tail = kwargs.get('t... |
def x(*args, **kwargs):
color = kwargs.get('color', default_color)
bold = kwargs.get('bold', False)
prefix = kwargs.get('prefix', '')
tail = kwargs.get('tail', '')
def x(func):
@wraps(func)
def x(*args, **kwargs):
first_line = ''
try:
first_line = func.__module__ + '.' + func.__qualname__
except AttributeError as exc:
first_line = func.__name__
print(color(prefix + first_line + tail, bold))
return func(*args, **kwargs)
return wrapper
invoked = bool(not args or kwargs)
if not invoked:
return real_decorator(func=args[0])
return real_decorator
| print_full_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n color = kwargs.get('color', default_color)\n bold = kwargs.get('bold', False)\n prefix = kwargs.get('prefix', '')\n tail = kwar... |
def x(template, **substitutions):
template = template.replace('{', '{{')
template = template.replace('}', '}}')
template = template.replace('{{{{', '{')
template = template.replace('}}}}', '}')
template = template.format(**substitutions)
template = template.replace('{{', '{')
template = template.replace('}}', '}')
template = template.replace('[[[', '{{')
template = template.replace(']]]', '}}')
return template
| filled_out_template_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template, **substitutions):\n template = template.replace('{', '{{')\n template = template.replace('}', '}}')\n template = template.replace('{{{{', '{... |
def x(filename, **substitutions):
res = None
with open(filename, 'r') as fp:
template = fp.read()
res = filled_out_template_str(template, **substitutions)
return res
| filled_out_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, **substitutions):\n res = None\n with open(filename, 'r') as fp:\n template = fp.read()\n res = filled_out_template_str(template,... |
def x(filename, prefix, new_line, keep_backup=True, append=True):
same_line_exists, line_updated = False, False
filename = os.path.expanduser(filename)
if os.path.isfile(filename):
backup = filename + '~'
shutil.move(filename, backup)
with open(filename, 'w') as dest:
with open(backup, 'r') as source:
for line in source:
if line == new_line:
same_line_exists = True
if line.startswith(prefix):
dest.write(new_line + '\n')
line_updated = True
else:
dest.write(line)
if not (same_line_exists or line_updated) and append:
dest.write(new_line + '\n')
if not keep_backup:
os.remove(backup)
else:
with open(filename, 'w') as dest:
dest.write(new_line + '\n')
return same_line_exists or line_updated
| update_or_append_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, prefix, new_line, keep_backup=True, append=True):\n same_line_exists, line_updated = False, False\n filename = os.path.expanduser(filename)\n ... |
def x(filename, line, comment='#', update_or_append_line=update_or_append_line
):
update_or_append_line(filename, prefix=line, new_line=comment + line,
append=False)
| comment_out_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, line, comment='#', update_or_append_line=update_or_append_line\n ):\n update_or_append_line(filename, prefix=line, new_line=comment + line,\n ... |
def x(filename, prefix, new_line, comment='#', keep_backup=True,
update_or_append_line=update_or_append_line):
uncommented = update_or_append_line(filename, prefix=comment + prefix,
new_line=new_line, keep_backup=keep_backup, append=False)
if not uncommented:
update_or_append_line(filename, prefix, new_line, keep_backup=
keep_backup, append=True)
| uncomment_or_update_or_append_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, prefix, new_line, comment='#', keep_backup=True,\n update_or_append_line=update_or_append_line):\n uncommented = update_or_append_line(filename... |
def x(input):
if isinstance(input, dict):
try:
return dict((convert_unicode_2_utf8(key),
convert_unicode_2_utf8(value)) for key, value in input.
iteritems())
except AttributeError:
return eval(
"""{convert_unicode_2_utf8(key): convert_unicode_2_utf8(value)
for key, value
in input.items()}"""
)
elif isinstance(input, list):
return [convert_unicode_2_utf8(element) for element in input]
elif isinstance(input, str):
return input
else:
try:
if eval('isinstance(input, unicode)'):
return input.encode('utf-8')
except NameError:
pass
return input
| convert_unicode_2_utf8 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input):\n if isinstance(input, dict):\n try:\n return dict((convert_unicode_2_utf8(key),\n convert_unicode_2_utf8(value)) f... |
def x(filename, gzip_mode=False):
open_file = open
if gzip_mode:
open_file = gzip.open
try:
with open_file(filename, 'rt') as fh:
data = json.load(fh)
data = convert_unicode_2_utf8(data)
return data
except AttributeError:
fh = open_file(filename, 'rt')
data = json.load(fh)
fh.close()
data = convert_unicode_2_utf8(data)
return data
| load_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, gzip_mode=False):\n open_file = open\n if gzip_mode:\n open_file = gzip.open\n try:\n with open_file(filename, 'rt') as fh:\n ... |
def x(data, filename, gzip_mode=False):
open_file = open
if gzip_mode:
open_file = gzip.open
try:
with open_file(filename, 'wt') as fh:
json.dump(obj=data, fp=fh, sort_keys=True)
except AttributeError:
fh = open_file(filename, 'wt')
json.dump(obj=data, fp=fh, sort_keys=True)
fh.close()
| write_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, filename, gzip_mode=False):\n open_file = open\n if gzip_mode:\n open_file = gzip.open\n try:\n with open_file(filename, 'wt') as ... |
def x(text, line_length=78, newline='\n'):
if line_length > 0:
if len(text) <= line_length:
return text
else:
return newline.join([text[idx:idx + line_length] for idx in
range(0, len(text), line_length)])
else:
return text
| text_with_newlines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, line_length=78, newline='\\n'):\n if line_length > 0:\n if len(text) <= line_length:\n return text\n else:\n retur... |
def x(func, with_del_hook=False):
def x(that):
try:
orig_del = that.__del__
except AttributeError:
orig_del = None
def x(*args, **kwargs):
del that._cache[id(that)]
del that._del_hook_cache[id(that)]
if orig_del is not None:
orig_del(that, *args, **kwargs)
try:
if orig_del is not None:
that.__del__ = del_hook
except AttributeError:
orig_del = None
return del_hook
def x(that):
if with_del_hook:
try:
that._del_hook_cache[id(that)] = hook_for(that)
except AttributeError:
pass
@functools.wraps(func)
def x(self):
try:
return self._cache[id(self)][func]
except AttributeError:
self._cache = {id(self): {}}
add_to_del_hook_cache(self)
except KeyError:
try:
self._cache[id(self)]
except KeyError:
self._cache[id(self)] = {}
add_to_del_hook_cache(self)
val = self._cache[id(self)][func] = func(self)
return val
return property(get)
| lazy_val | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, with_del_hook=False):\n\n def x(that):\n try:\n orig_del = that.__del__\n except AttributeError:\n orig_del = None... |
def x(fname, fpointer1=open, fpointer2=open):
try:
with fpointer1(fname, 'r') as fobj:
return fobj.readlines()
except UnicodeDecodeError:
with fpointer2(fname, 'r', encoding='utf-8') as fobj:
return fobj.readlines()
| readlines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, fpointer1=open, fpointer2=open):\n try:\n with fpointer1(fname, 'r') as fobj:\n return fobj.readlines()\n except UnicodeDecodeEr... |
def x(self, callname, data=None, **args):
url = f'{self.url_base}/{callname}'
payload = self.payload.copy()
payload.update(**args)
if data is not None:
payload.update(data)
res = self.session.post(url, data=payload)
if res.status_code > 299:
self.log.error(f'URL: {url}')
self.log.error(f'Payload: {payload}')
self.log.error(f'STATUS: {res.status_code}')
self.log.error(f'RESPONSE: {res.text}')
return
elif 'error' in res.json():
self.log.error(res.json()['error'])
return
return res.json()
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callname, data=None, **args):\n url = f'{self.url_base}/{callname}'\n payload = self.payload.copy()\n payload.update(**args)\n if data is not... |
def x(self):
for plugin in self.plugins:
command = '%s%s' % (self.plugins[plugin]['path'], self.plugins[
plugin]['command'])
try:
nagios_plugin = subprocess.Popen(command, shell=True, stdout=
subprocess.PIPE, stderr=subprocess.PIPE)
except OSError:
LOG.error("[nagios_plugins]: '%s' executable is missing", command)
else:
output = nagios_plugin.communicate()[0].strip()
return_code = nagios_plugin.returncode
if return_code >= len(STATUSES):
LOG.error(
"[nagios_plugins]: '%s' executable has an issue, return code: %s"
, command, return_code)
else:
LOG.log(STATUSES[return_code][1],
'[nagios_plugins][%s] (%s status): %s', plugin,
STATUSES[return_code][0], output)
yield {'return_code': int(return_code), 'output': str(
output), 'time_stamp': int(time.time()),
'service_description': plugin, 'specific_servers': self
.plugins[plugin]['servers']}
| launch_plugin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for plugin in self.plugins:\n command = '%s%s' % (self.plugins[plugin]['path'], self.plugins[\n plugin]['command'])\n try:... |
def x(Class, path, pattern, flags=re.I, sortkey=None, ext=None):
return sorted([Class(fn=fn) for fn in rglob(path, f"*{ext or ''}") if
re.search(pattern, os.path.basename(fn), flags=flags) is not None and
os.path.basename(fn)[0] != '~'], key=sortkey)
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Class, path, pattern, flags=re.I, sortkey=None, ext=None):\n return sorted([Class(fn=fn) for fn in rglob(path, f\"*{ext or ''}\") if \n re.search(pat... |
def x(self, new_fn):
new_file = self.__class__(fn=str(new_fn))
new_file.write(data=self.read())
new_file.utime(self.atime, self.mtime)
return new_file
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_fn):\n new_file = self.__class__(fn=str(new_fn))\n new_file.write(data=self.read())\n new_file.utime(self.atime, self.mtime)\n return new... |
def x(self, fn=None, ext=None):
fb, oldext = os.path.splitext(os.path.basename(fn or self.fn))
ext = ext or oldext.lower()
fb = String(fb).hyphenify(ascii=True)
return ''.join([fb, ext])
| make_basename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fn=None, ext=None):\n fb, oldext = os.path.splitext(os.path.basename(fn or self.fn))\n ext = ext or oldext.lower()\n fb = String(fb).hyphenify(a... |
def x(self, mode='wb', **args):
tf = tempfile.NamedTemporaryFile(mode=mode)
self.write(tf.name, mode=mode, **args)
return tfn
| tempfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='wb', **args):\n tf = tempfile.NamedTemporaryFile(mode=mode)\n self.write(tf.name, mode=mode, **args)\n return tfn\n",
"role": "user"
... |
def x(self):
if self.isfile:
os.remove(self.fn)
elif self.isdir:
shutil.rmtree(self.fn)
| delete | [
{
"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.isfile:\n os.remove(self.fn)\n elif self.isdir:\n shutil.rmtree(self.fn)\n",
"role": "user"
},
{
"content": "d... |
def x(C, bytes, suffix='B', decimals=1, sep='\xa0'):
if bytes is None:
return
size = float(bytes)
for unit in C.SIZE_UNITS:
if abs(size) < 1024 or unit == C.SIZE_UNITS[-1]:
return '{size:.{decimals}f}{sep}{unit}{suffix}'.format(size=
size, unit=unit, suffix=suffix, sep=sep, decimals=C.
SIZE_UNITS.index(unit) > 0 and decimals or 0)
size /= 1024
| readable_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(C, bytes, suffix='B', decimals=1, sep='\\xa0'):\n if bytes is None:\n return\n size = float(bytes)\n for unit in C.SIZE_UNITS:\n if abs(... |
def x(C, size, suffix='B'):
s = re.split('^([0-9\\.]+)\\s*([%s]?)%s?' % (''.join(C.SIZE_UNITS),
suffix), size, flags=re.I)
bytes, unit = round(float(s[1])), s[2].upper()
while unit in C.SIZE_UNITS and C.SIZE_UNITS.index(unit) > 0:
bytes *= 1024
unit = C.SIZE_UNITS[C.SIZE_UNITS.index(unit) - 1]
return bytes
| bytes_from_readable_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(C, size, suffix='B'):\n s = re.split('^([0-9\\\\.]+)\\\\s*([%s]?)%s?' % (''.join(C.SIZE_UNITS),\n suffix), size, flags=re.I)\n bytes, unit = round... |
def x(self):
for wsock in self.wsocks:
wsock.run()
for api in self.apis:
api.run()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for wsock in self.wsocks:\n wsock.run()\n for api in self.apis:\n api.run()\n",
"role": "user"
},
{
"content": "run",
... |
def x(self):
for wsock in self.wsocks:
wsock.shutdown()
for api in self.apis:
api.shutdown()
| shutdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for wsock in self.wsocks:\n wsock.shutdown()\n for api in self.apis:\n api.shutdown()\n",
"role": "user"
},
{
"content... |
def x(self, url, method, data=None, headers=None):
http_headers = merge_dict(self.default_headers, headers or {})
request_data = merge_dict({'api_key': self.apikey}, data or {})
logger.info('HTTP %s REQUEST TO %s' % (method, url))
start = datetime.datetime.now()
try:
response = requests.request(method=method, url=url, data=json.dumps
(request_data), headers=http_headers)
except exceptions.BadRequestError as e:
return json.loads({'errors': e.content})
duration = datetime.datetime.now() - start
logger.info('RESPONSE %s DURATION %s.%s' % (response.encoding, duration
.seconds, duration.microseconds))
return json.loads(response.content) if response.content else {}
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method, data=None, headers=None):\n http_headers = merge_dict(self.default_headers, headers or {})\n request_data = merge_dict({'api_key': sel... |
def x(self, action, params=None, headers=None):
return self.request(make_url(self.endpoint, action), method='GET', data
=params, headers=headers)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action, params=None, headers=None):\n return self.request(make_url(self.endpoint, action), method='GET', data\n =params, headers=headers)\n",
... |
def x(self, action, data=None, headers=None):
return self.request(make_url(self.endpoint, action), method='POST',
data=data, headers=headers)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action, data=None, headers=None):\n return self.request(make_url(self.endpoint, action), method='POST',\n data=data, headers=headers)\n",
"... |
def x(self, action, headers=None):
return self.request(make_url(self.endpoint, action), method='DELETE',
headers=headers)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action, headers=None):\n return self.request(make_url(self.endpoint, action), method='DELETE',\n headers=headers)\n",
"role": "user"
},
... |
def x(size, min_piece_size=20, max_piece_size=29, max_piece_count=1000):
logger.debug('Calculating piece size for %i' % size)
for i in range(min_piece_size, max_piece_size):
if size / 2 ** i < max_piece_count:
break
return 2 ** i
| calc_piece_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size, min_piece_size=20, max_piece_size=29, max_piece_count=1000):\n logger.debug('Calculating piece size for %i' % size)\n for i in range(min_piece_size... |
def x(piece_list, segments, num):
piece_groups = []
pieces = list(piece_list)
while pieces:
for i in range(segments):
p = pieces[i::segments][:num]
if not p:
break
piece_groups.append(p)
pieces = pieces[num * segments:]
return piece_groups
| split_pieces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(piece_list, segments, num):\n piece_groups = []\n pieces = list(piece_list)\n while pieces:\n for i in range(segments):\n p = pieces... |
def x(dirname, pattern, dirs=False, sort=True):
fns = []
path = str(dirname)
if os.path.isdir(path):
fns = glob(os.path.join(escape(path), pattern))
dns = [fn for fn in [os.path.join(path, fn) for fn in os.listdir(
path)] if os.path.isdir(fn)]
if dirs == True:
fns += dns
for d in dns:
fns += rglob(d, pattern)
if sort == True:
fns.sort()
else:
log.warn('not a directory: %r' % path)
return fns
| rglob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dirname, pattern, dirs=False, sort=True):\n fns = []\n path = str(dirname)\n if os.path.isdir(path):\n fns = glob(os.path.join(escape(path), pa... |
def x(parents, func=None):
if func is None:
return lambda f: after(parents, f)
dep = Dependent(parents, func)
for parent in parents:
if parent.complete:
dep._incoming(parent, parent.value)
else:
parent._children.append(weakref.ref(dep))
return dep
| after | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parents, func=None):\n if func is None:\n return lambda f: after(parents, f)\n dep = Dependent(parents, func)\n for parent in parents:\n ... |
def x(futures, timeout=None):
for fut in futures:
if fut.complete:
return fut
wait = _Wait(futures)
for fut in futures:
fut._waits.add(wait)
if wait.done.wait(timeout):
raise errors.WaitTimeout()
return wait.completed_future
| wait_any | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(futures, timeout=None):\n for fut in futures:\n if fut.complete:\n return fut\n wait = _Wait(futures)\n for fut in futures:\n ... |
def x(futures, timeout=None):
if timeout is not None:
deadline = time.time() + timeout
for fut in futures:
fut.wait(deadline - time.time())
else:
for fut in futures:
fut.wait()
| wait_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(futures, timeout=None):\n if timeout is not None:\n deadline = time.time() + timeout\n for fut in futures:\n fut.wait(deadline - ti... |
def x(self, value):
if self._done.is_set():
raise errors.AlreadyComplete()
self._value = value
for cb in self._cbacks:
backend.schedule(cb, args=(value,))
self._cbacks = None
for wait in list(self._waits):
wait.finish(self)
self._waits = None
for child in self._children:
child = child()
if child is None:
continue
child._incoming(self, value)
self._children = None
self._done.set()
| finish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if self._done.is_set():\n raise errors.AlreadyComplete()\n self._value = value\n for cb in self._cbacks:\n backend.sched... |
def x(self, klass, exc, tb=None):
if self._done.is_set():
raise errors.AlreadyComplete()
self._failure = klass, exc, tb
for eb in self._errbacks:
backend.schedule(eb, args=(klass, exc, tb))
self._errbacks = None
for wait in list(self._waits):
wait.finish(self)
self._waits = None
for child in self._children:
child = child()
if child is None:
continue
child.abort(klass, exc, tb)
self._children = None
self._done.set()
| abort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, klass, exc, tb=None):\n if self._done.is_set():\n raise errors.AlreadyComplete()\n self._failure = klass, exc, tb\n for eb in self._errba... |
def x(self, func):
if self._done.is_set():
if self._failure is None:
backend.schedule(func, args=(self._value,))
else:
self._cbacks.append(func)
| on_finish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if self._done.is_set():\n if self._failure is None:\n backend.schedule(func, args=(self._value,))\n else:\n self.... |
def x(self, func):
if self._done.is_set():
if self._failure is not None:
backend.schedule(func, args=self._failure)
else:
self._errbacks.append(func)
| on_abort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if self._done.is_set():\n if self._failure is not None:\n backend.schedule(func, args=self._failure)\n else:\n se... |
def x(self, func=None, other_parents=None):
parents = [self]
if other_parents is not None:
parents += other_parents
return after(parents, func)
| after | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func=None, other_parents=None):\n parents = [self]\n if other_parents is not None:\n parents += other_parents\n return after(parents, fun... |
def x(self):
results = []
for r in self._results:
if isinstance(r, Exception):
results.append(type(r)(*deepcopy(r.args)))
elif hasattr(r, '__iter__') and not hasattr(r, '__len__'):
results.append(r)
else:
results.append(deepcopy(r))
return results
| partial_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = []\n for r in self._results:\n if isinstance(r, Exception):\n results.append(type(r)(*deepcopy(r.args)))\n el... |
def x(self, s, sep=os.path.sep):
if sep == '/':
return s
else:
return s.replace(sep, '/')
| os_path_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, sep=os.path.sep):\n if sep == '/':\n return s\n else:\n return s.replace(sep, '/')\n",
"role": "user"
},
{
"content": ... |
def x(self, tr_list, files):
singular = False
if not isinstance(files, list) and not isinstance(files, tuple):
singular = True
files = [files]
for _find, _replace in tr_list:
files = [opt.replace(_find, _replace) for opt in files]
if singular:
return files[0]
else:
return files
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tr_list, files):\n singular = False\n if not isinstance(files, list) and not isinstance(files, tuple):\n singular = True\n files = [f... |
def x(self, dst_dir, src):
if os.path.isabs(src):
return os.path.join(dst_dir, os.path.basename(src))
return os.path.join(dst_dir, src)
| resolve_dst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dst_dir, src):\n if os.path.isabs(src):\n return os.path.join(dst_dir, os.path.basename(src))\n return os.path.join(dst_dir, src)\n",
"r... |
def x(self, fn=None):
fn = fn or self.fn
if not os.path.exists(os.path.dirname(fn)):
os.makedirs(os.path.dirname(fn))
f = open(self.fn, 'rb')
b = f.read()
f.close()
f = open(fn, 'wb')
f.write(b)
f.close()
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fn=None):\n fn = fn or self.fn\n if not os.path.exists(os.path.dirname(fn)):\n os.makedirs(os.path.dirname(fn))\n f = open(self.fn, 'rb')... |
def x(self, attrs):
for k, v in attrs.items():
setattr(self, k, v)
| assign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attrs):\n for k, v in attrs.items():\n setattr(self, k, v)\n",
"role": "user"
},
{
"content": "assign",
"role": "assistant"
}... |
def x(self, function, line):
function = drop_prefix_and_return_type(function)
function = collapse(function, open_string='<', close_string='>',
replacement='<T>', exceptions=(' as ',))
if self.collapse_arguments:
function = collapse(function, open_string='(', close_string=')',
replacement='')
if self.signatures_with_line_numbers_re.match(function):
function = '{}:{}'.format(function, line)
function = self.fixup_space.sub('', function)
function = self.fixup_comma.sub(', ', function)
function = self.fixup_hash.sub('', function)
return function
| normalize_rust_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function, line):\n function = drop_prefix_and_return_type(function)\n function = collapse(function, open_string='<', close_string='>',\n rep... |
def x(self, function, line):
for ref in ('const', 'const&', '&&', '&'):
if function.endswith(ref):
function = function[:-len(ref)].strip()
if '::operator' not in function:
function = drop_prefix_and_return_type(function)
function = collapse(function, open_string='<', close_string='>',
replacement='<T>', exceptions=('name omitted', 'IPC::ParamTraits'))
if self.collapse_arguments:
function = collapse(function, open_string='(', close_string=')',
replacement='', exceptions=('anonymous namespace', 'operator'))
if 'clone .cold' in function:
function = collapse(function, open_string='[', close_string=']',
replacement='')
if self.signatures_with_line_numbers_re.match(function):
function = '{}:{}'.format(function, line)
function = self.fixup_space.sub('', function)
function = self.fixup_comma.sub(', ', function)
return function
| normalize_cpp_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function, line):\n for ref in ('const', 'const&', '&&', '&'):\n if function.endswith(ref):\n function = function[:-len(ref)].strip()... |
def x(self, module=None, function=None, file=None, line=None, module_offset
=None, offset=None, normalized=None, **kwargs):
if normalized is not None:
return normalized
if function:
if file and (parse_source_file(file) or '').endswith('.rs'):
return self.normalize_rust_function(function=function, line=line)
return self.normalize_cpp_function(function=function, line=line)
if file and line:
filename = file.rstrip('/\\')
if '\\' in filename:
file = filename.rsplit('\\')[-1]
else:
file = filename.rsplit('/')[-1]
return '{}#{}'.format(file, line)
if not module and not module_offset and offset:
return '@{}'.format(offset)
return '{}@{}'.format(module or '', module_offset)
| normalize_frame | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module=None, function=None, file=None, line=None, module_offset\n =None, offset=None, normalized=None, **kwargs):\n if normalized is not None:\n ... |
def x(self, source_list, hang_type, crashed_thread, delimiter=' | '):
notes = []
debug_notes = []
sentinel_locations = []
for a_sentinel in self.signature_sentinels:
if type(a_sentinel) == tuple:
a_sentinel, condition_fn = a_sentinel
if not condition_fn(source_list):
continue
try:
sentinel_locations.append(source_list.index(a_sentinel))
except ValueError:
pass
if sentinel_locations:
min_index = min(sentinel_locations)
debug_notes.append('sentinel; starting at "{}" index {}'.format(
source_list[min_index], min_index))
source_list = source_list[min_index:]
new_signature_list = []
for a_signature in source_list:
if self.irrelevant_signature_re.match(a_signature):
debug_notes.append('irrelevant; ignoring: "{}"'.format(a_signature)
)
continue
if '.dll' in a_signature.lower():
a_signature = a_signature.split('@')[0]
if new_signature_list and a_signature == new_signature_list[-1]:
continue
new_signature_list.append(a_signature)
if not self.prefix_signature_re.match(a_signature):
debug_notes.append('not a prefix; stop: "{}"'.format(a_signature))
break
debug_notes.append('prefix; continue iterating: "{}"'.format(
a_signature))
if hang_type:
debug_notes.append('hang_type {}: prepending {}'.format(hang_type,
self.hang_prefixes[hang_type]))
new_signature_list.insert(0, self.hang_prefixes[hang_type])
signature = delimiter.join(new_signature_list)
if signature == '' or signature is None:
if crashed_thread is None:
notes.append(
'CSignatureTool: No signature could be created because we do not know which thread crashed'
)
signature = 'EMPTY: no crashing thread identified'
else:
notes.append(
'CSignatureTool: No proper signature could be created because no good data for the crashing thread ({}) was found'
.format(crashed_thread))
try:
signature = source_list[0]
except IndexError:
signature = 'EMPTY: no frame data available'
return signature, notes, debug_notes
| do_generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_list, hang_type, crashed_thread, delimiter=' | '):\n notes = []\n debug_notes = []\n sentinel_locations = []\n for a_sentinel in self.... |
def x(t):
t = _scored_patt.sub(string=t, repl='')
if t == '_country_' or t.startswith('_country:'):
t = 'nnp_country'
elif t == 'vpb':
t = 'vb'
elif t == 'nnd':
t = 'nns'
elif t == 'nns_root:':
t = 'nns'
elif t == 'root:zygote':
t = 'nn'
elif t.startswith('root:'):
t = 'uh'
elif t in ('abbr_united_states_marine_corps', 'abbr_orange_juice'):
t = 'abbreviation'
elif t == '+abbreviation':
t = 'abbreviation'
elif t.startswith('fw_misspelling:'):
t = 'fw'
return t
| clean_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t):\n t = _scored_patt.sub(string=t, repl='')\n if t == '_country_' or t.startswith('_country:'):\n t = 'nnp_country'\n elif t == 'vpb':\n ... |
def x(settings, prefix):
prefix = '{}.'.format(prefix)
new_settings = {k[len(prefix):]: v for k, v in settings.items() if k.
startswith(prefix)}
return new_settings
| local_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(settings, prefix):\n prefix = '{}.'.format(prefix)\n new_settings = {k[len(prefix):]: v for k, v in settings.items() if k.\n startswith(prefix)}\n... |
def x(bytes, precision=1):
abbrevs = (1 << 50, 'PB'), (1 << 40, 'TB'), (1 << 30, 'GB'), (1 << 20, 'MB'
), (1 << 10, 'kB'), (1, 'bytes')
if bytes == 1:
return '1 byte'
for factor, suffix in abbrevs:
if bytes >= factor:
break
return '%.*f %s' % (precision, bytes / factor, suffix)
| humanize_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bytes, precision=1):\n abbrevs = (1 << 50, 'PB'), (1 << 40, 'TB'), (1 << 30, 'GB'), (1 << 20, 'MB'\n ), (1 << 10, 'kB'), (1, 'bytes')\n if bytes =... |
def x(self):
path = '/'.join(self.path.split('/')[:-1])
s = path.strip('/').split(':')
if len(s) == 2 and s[1] == '':
return None
else:
return self.__class__(self, path=path)
| parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n path = '/'.join(self.path.split('/')[:-1])\n s = path.strip('/').split(':')\n if len(s) == 2 and s[1] == '':\n return None\n else:\... |
def x(C, *args, **kwargs):
u = C('/'.join([str(arg).strip('/') for arg in args]), **kwargs)
return u
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(C, *args, **kwargs):\n u = C('/'.join([str(arg).strip('/') for arg in args]), **kwargs)\n return u\n",
"role": "user"
},
{
"content": "join",... |
def x(peer_addrs, service, routing_id, method):
if any(p is None for p in peer_addrs):
return None
return random.choice(peer_addrs)
| select_peer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(peer_addrs, service, routing_id, method):\n if any(p is None for p in peer_addrs):\n return None\n return random.choice(peer_addrs)\n",
"role"... |
def x(app):
app.connect('builder-inited', gendoc.main)
app.setup_extension('sphinx.ext.autodoc')
app.setup_extension('sphinx.ext.autosummary')
app.add_autodocumenter(ext.ModDocstringDocumenter)
app.add_config_value('jinjaapi_outputdir', '', 'env')
app.add_config_value('jinjaapi_nodelete', True, 'env')
app.add_config_value('jinjaapi_srcdir', '', 'env')
app.add_config_value('jinjaapi_exclude_paths', [], 'env')
app.add_config_value('jinjaapi_force', True, 'env')
app.add_config_value('jinjaapi_followlinks', True, 'env')
app.add_config_value('jinjaapi_dryrun', False, 'env')
app.add_config_value('jinjaapi_includeprivate', True, 'env')
app.add_config_value('jinjaapi_addsummarytemplate', True, 'env')
app.add_config_value('jinjaapi_include_from_all', True, 'env')
return {'version': __version__, 'parallel_read_safe': True}
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n app.connect('builder-inited', gendoc.main)\n app.setup_extension('sphinx.ext.autodoc')\n app.setup_extension('sphinx.ext.autosummary')\n ap... |
def x(self, key=None, **params):
self.params.update(**params)
key = key or self.stack_key
if key is not None:
self.current_times[key] = time()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None, **params):\n self.params.update(**params)\n key = key or self.stack_key\n if key is not None:\n self.current_times[key] = time(... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.