source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(common_terms):
if not common_terms:
print('No duplicates')
else:
for set_pair in common_terms:
set1, set2, terms = set_pair
print('{} and {} have in common:'.format(set1, set2))
for term in terms:
print(' {}'.format(term))
| print_common_terms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(common_terms):\n if not common_terms:\n print('No duplicates')\n else:\n for set_pair in common_terms:\n set1, set2, terms = set... |
def x(set_id, term_id, access_token):
api_call('delete', 'sets/{}/terms/{}'.format(set_id, term_id),
access_token=access_token)
| delete_term | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(set_id, term_id, access_token):\n api_call('delete', 'sets/{}/terms/{}'.format(set_id, term_id),\n access_token=access_token)\n",
"role": "user"
... |
def x(set_id, term, access_token):
api_call('post', 'sets/{}/terms'.format(set_id), term.to_dict(),
access_token=access_token)
| add_term | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(set_id, term, access_token):\n api_call('post', 'sets/{}/terms'.format(set_id), term.to_dict(),\n access_token=access_token)\n",
"role": "user"
... |
def x(set_id, term_id, client_id, user_id, access_token):
found_sets = [user_set for user_set in get_user_sets(client_id, user_id
) if user_set.set_id == set_id]
if len(found_sets) != 1:
raise ValueError('{} set(s) found with id {}'.format(len(found_sets
), set_id))
found_terms = [term for term in found_sets[0].terms if term.term_id ==
term_id]
if len(found_terms) != 1:
raise ValueError('{} term(s) found with id {}'.format(len(
found_terms), term_id))
term = found_terms[0]
if term.image.url:
raise NotImplementedError('"{}" has an image and is thus not supported'
.format(term))
print('Deleting "{}"...'.format(term))
delete_term(set_id, term_id, access_token)
print('Re-creating "{}"...'.format(term))
add_term(set_id, term, access_token)
print('Done')
| reset_term_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(set_id, term_id, client_id, user_id, access_token):\n found_sets = [user_set for user_set in get_user_sets(client_id, user_id\n ) if user_set.set_id ... |
def x(self, key, sleepTime=5):
loop_stop = False
while not loop_stop:
status = self[key].getStatus()
if status == 'No Changes' or status == 'Active':
self.__printProgression__(True, key + ' creation: provisioning OK')
loop_stop = True
elif status == 'Error':
self.__printProgression__(False, key +
' creation: Error - Error during provisioning')
loop_stop = True
return False
else:
self.__printProgression__('In progress', key +
' creation: provisioning ({})'.format(status), eol='\r')
time.sleep(sleepTime)
| waitPuppetCatalogToBeApplied | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, sleepTime=5):\n loop_stop = False\n while not loop_stop:\n status = self[key].getStatus()\n if status == 'No Changes' or status ... |
def x(router, organization, email):
log.info('Getting user: %s' % email)
resp = router.get_users(org_id=organization.id).json()
ids = [x['id'] for x in resp if x['email'] == email]
if len(ids):
user = User(organization, ids[0]).init_router(router)
return user
else:
raise exceptions.NotFoundError('User with email: %s not found' % email)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(router, organization, email):\n log.info('Getting user: %s' % email)\n resp = router.get_users(org_id=organization.id).json()\n ids = [x['id'] for x i... |
def x(self, mapping: dict, **kwargs):
assert '__type__' not in kwargs and '__args__' not in kwargs
mapping = {**mapping, **kwargs}
factory_fqdn = mapping.pop('__type__')
factory = self.load_name(factory_fqdn)
args = mapping.pop('__args__', [])
return factory(*args, **mapping)
| construct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping: dict, **kwargs):\n assert '__type__' not in kwargs and '__args__' not in kwargs\n mapping = {**mapping, **kwargs}\n factory_fqdn = mapp... |
def x(absolute_name: str):
path = absolute_name.split('.')
try:
__import__(absolute_name)
except ImportError:
try:
obj = sys.modules[path[0]]
except KeyError:
raise ModuleNotFoundError('No module named %r' % path[0])
else:
for component in path[1:]:
try:
obj = getattr(obj, component)
except AttributeError as err:
raise ConfigurationError(what='no such object %r: %s' %
(absolute_name, err))
return obj
else:
return sys.modules[absolute_name]
| load_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(absolute_name: str):\n path = absolute_name.split('.')\n try:\n __import__(absolute_name)\n except ImportError:\n try:\n obj ... |
def x(self, path, value=None):
def x(dictionary, path):
for item in path.split('/'):
dictionary = dictionary[item]
return dictionary
def x(dictionary, path, value):
path = path.split('/')
key = path[-1]
dictionary = pathGet(dictionary, '/'.join(path[:-1]))
dictionary[key] = value
def x(dictionary, path):
path = path.split('/')
key = path[-1]
dictionary = pathGet(dictionary, '/'.join(path[:-1]))
del dictionary[key]
src = yaml.load(self.content)
if value:
pathSet(src, path, value)
else:
pathRm(src, path)
self._raw_content = yaml.safe_dump(src, default_flow_style=False)
return True
| patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, value=None):\n\n def x(dictionary, path):\n for item in path.split('/'):\n dictionary = dictionary[item]\n return dicti... |
async def _await_all(self):
"""Async component of _run"""
delay = 0.0
async with trio.open_nursery() as nursery:
while self.running.is_set():
await self._start_payloads(nursery=nursery)
await trio.sleep(delay)
delay = min(delay + 0.1, 1.0)
nursery.cancel_scope.cancel()
| await_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _await_all(self):\n \"\"\"Async component of _run\"\"\"\n delay = 0.0\n async with trio.open_nursery() as nursery:\n while self.running.is_... |
async def _start_payloads(self, nursery):
"""Start all queued payloads"""
with self._lock:
for coroutine in self._payloads:
nursery.start_soon(coroutine)
self._payloads.clear()
await trio.sleep(0)
| start_payloads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _start_payloads(self, nursery):\n \"\"\"Start all queued payloads\"\"\"\n with self._lock:\n for coroutine in self._payloads:\n nur... |
def x(longer, shorter):
if len(longer) <= len(shorter):
return False
for a, b in zip(shorter, longer):
if a != b:
return False
return True
| contains_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(longer, shorter):\n if len(longer) <= len(shorter):\n return False\n for a, b in zip(shorter, longer):\n if a != b:\n return Fal... |
def x(f, dict_=dict):
if not f.read:
raise ValueError('The first parameter needs to be a file object, ',
'%r is passed' % type(f))
return loads(f.read(), dict_)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, dict_=dict):\n if not f.read:\n raise ValueError('The first parameter needs to be a file object, ',\n '%r is passed' % type(f))\n re... |
def x(content, dict_=dict):
if not isinstance(content, basestring):
raise ValueError('The first parameter needs to be a string object, ',
'%r is passed' % type(content))
decoder = Decoder(content, dict_)
decoder.parse()
return decoder.data
| loads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, dict_=dict):\n if not isinstance(content, basestring):\n raise ValueError('The first parameter needs to be a string object, ',\n ... |
def x(self, line=None, is_end=True):
if line is not None:
self.line = line
if not self.line:
raise TomlDecodeError(self.parser.lineno, 'EOF is hit!')
token = None
self.line = self.line.lstrip()
for key, pattern in self.patterns:
m = pattern.match(self.line)
if m:
self.line = self.line[m.end():]
handler = getattr(self, 'convert_%s' % key)
token = handler(m)
break
else:
raise TomlDecodeError(self.parser.lineno, 'Parsing error: %r' %
self.line)
if is_end and not BLANK_RE.match(self.line):
raise TomlDecodeError(self.parser.lineno,
'Something is remained: %r' % self.line)
return token
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line=None, is_end=True):\n if line is not None:\n self.line = line\n if not self.line:\n raise TomlDecodeError(self.parser.lineno, 'E... |
def x(self, data=None, table_name=None):
temp = self.dict_()
sub_table = None
is_array = False
line = ''
while True:
line = self._readline()
if not line:
self._store_table(sub_table, temp, is_array, data=data)
break
if BLANK_RE.match(line):
continue
if TABLE_RE.match(line):
next_table = self.split_string(TABLE_RE.match(line).group(1),
'.', False)
if table_name and not contains_list(next_table, table_name):
self._store_table(sub_table, temp, is_array, data=data)
break
table = cut_list(next_table, table_name)
if sub_table == table:
raise TomlDecodeError(self.lineno,
'Duplicate table namein origin: %r' % sub_table)
else:
self._store_table(sub_table, temp, is_array, data=data)
sub_table = table
is_array = False
elif TABLE_ARRAY_RE.match(line):
next_table = self.split_string(TABLE_ARRAY_RE.match(line).group
(1), '.', False)
if table_name and not contains_list(next_table, table_name):
self._store_table(sub_table, temp, is_array, data=data)
break
table = cut_list(next_table, table_name)
if sub_table == table and not is_array:
raise TomlDecodeError(self.lineno,
'Duplicate name of table and array of table: %r' %
sub_table)
else:
self._store_table(sub_table, temp, is_array, data=data)
sub_table = table
is_array = True
self.parse(temp, next_table)
elif KEY_RE.match(line):
m = KEY_RE.match(line)
keys = self.split_string(m.group(1), '.')
value = self.converter.convert(line[m.end():])
if value is None:
raise TomlDecodeError(self.lineno, 'Value is missing')
self._store_table(keys[:-1], {keys[-1]: value}, data=temp)
else:
raise TomlDecodeError(self.lineno,
'Pattern is not recognized: %r' % line)
self.instream.seek(self.instream.tell() - len(line))
self.lineno -= 1
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None, table_name=None):\n temp = self.dict_()\n sub_table = None\n is_array = False\n line = ''\n while True:\n line = self._r... |
def x(self, string, splitter='.', allow_empty=True):
i = 0
rv = []
need_split = False
while i < len(string):
m = re.compile(_KEY_NAME).match(string, i)
if not need_split and m:
i = m.end()
body = m.group(1)
if body[:3] == '"""':
body = self.converter.unescape(body[3:-3])
elif body[:3] == "'''":
body = body[3:-3]
elif body[0] == '"':
body = self.converter.unescape(body[1:-1])
elif body[0] == "'":
body = body[1:-1]
if not allow_empty and not body:
raise TomlDecodeError(self.lineno,
'Empty section name is not allowed: %r' % string)
rv.append(body)
need_split = True
elif need_split and string[i] == splitter:
need_split = False
i += 1
continue
else:
raise TomlDecodeError(self.lineno, 'Illegal section name: %r' %
string)
if not need_split:
raise TomlDecodeError(self.lineno,
'Empty section name is not allowed: %r' % string)
return rv
| split_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, splitter='.', allow_empty=True):\n i = 0\n rv = []\n need_split = False\n while i < len(string):\n m = re.compile(_KEY_NAME).m... |
def x(text):
toks = tokenize.generate_tokens(StringIO(text).readline)
result = []
where_clause = False
for toktype, tokvalue, _, _, _ in toks:
if toktype == tokenize.NAME and tokvalue == 'where':
where_clause = True
elif where_clause and toktype == tokenize.DEDENT:
where_clause = False
continue
if not where_clause:
result.append((toktype, tokvalue))
return tokenize.untokenize(result)
| transform_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n toks = tokenize.generate_tokens(StringIO(text).readline)\n result = []\n where_clause = False\n for toktype, tokvalue, _, _, _ in toks:\n ... |
def x(self):
if self.glitter_app_name:
visible = self.show_in_navigation
else:
visible = self.show_in_navigation and self.is_published
return visible
| is_visible | [
{
"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.glitter_app_name:\n visible = self.show_in_navigation\n else:\n visible = self.show_in_navigation and self.is_published\n ... |
def x(args=sys.argv[1:]):
import mcpartools
parser = argparse.ArgumentParser()
parser.add_argument('-V', '--version', action='version', version=
mcpartools.__version__)
parser.add_argument('-v', '--verbose', action='count', default=0, help=
'Give more output. Option is additive, and can be used up to 3 times')
parser.add_argument('-q', '--quiet', action='count', default=0, help=
'Be silent')
parser.add_argument('-w', '--workspace', type=str, help=
'workspace directory')
parser.add_argument('-m', '--mc_run_template', type=str, default=None,
help='path to optional MC run script')
parser.add_argument('-s', '--scheduler_options', type=str, default=None,
help=
'optional scheduler options: path to a file or list of options in square brackets'
)
parser.add_argument('-e', '--mc_engine_options', type=str, default=None,
help=
'optional MC engine options: path to a file or list of options in square brackets'
)
parser.add_argument('-x', '--external_files', nargs='+', type=str, help
='list of external files to be copied into each job working directory')
parser.add_argument('-b', '--batch', type=str, default=None, choices=[b
.id for b in SchedulerDiscover.supported], help=
'Available batch systems: {}'.format([b.id for b in
SchedulerDiscover.supported]))
parser.add_argument('-c', '--collect', type=str, default='mv', choices=
Options.collect_methods, help='Available collect methods')
parser.add_argument('-p', '--particle_no', dest='particle_no', metavar=
'particle_no', type=int, required=True, help=
'number of primary particles per job')
parser.add_argument('-j', '--jobs_no', type=int, required=True, help=
'number of parallel jobs')
parser.add_argument('input', type=str, help='path to input configuration')
args = parser.parse_args(args)
if args.quiet:
if args.quiet == 1:
level = 'WARNING'
elif args.quiet == 2:
level = 'ERROR'
else:
level = 'CRITICAL'
elif args.verbose:
level = 'DEBUG'
else:
level = 'INFO'
logging.basicConfig(level=level)
opt = Options(args)
generator = Generator(options=opt)
ret_code = generator.run()
return ret_code
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args=sys.argv[1:]):\n import mcpartools\n parser = argparse.ArgumentParser()\n parser.add_argument('-V', '--version', action='version', version=\n ... |
def x(self, source_paths):
import uqbar.apis
root = PackageNode()
for source_path in sorted(source_paths, key=lambda x: uqbar.apis.
source_path_to_package_path(x)):
package_path = uqbar.apis.source_path_to_package_path(source_path)
parts = package_path.split('.')
if not self.document_private_modules and any(part.startswith('_') for
part in parts):
continue
parent_node = root
if len(parts) > 1:
parent_package_path = '.'.join(parts[:-1])
try:
parent_node = root[parent_package_path]
except KeyError:
parent_node = root
try:
if parent_node is root:
grandparent_node = root
if len(parts) > 2:
grandparent_node = root[parent_package_path.
rpartition('.')[0]]
parent_node = PackageNode(name=parent_package_path)
grandparent_node.append(parent_node)
grandparent_node[:] = sorted(grandparent_node, key=lambda
x: x.package_path)
except KeyError:
parent_node = root
node_class = ModuleNode
if source_path.name == '__init__.py':
node_class = PackageNode
try:
child_node = root[package_path]
child_node.source_path = source_path
except KeyError:
child_node = node_class(name=package_path, source_path=source_path)
parent_node.append(child_node)
parent_node[:] = sorted(parent_node, key=lambda x: x.package_path)
for node in root.depth_first(top_down=False):
kwargs = dict(document_private_members=self.
document_private_members, member_documenter_classes=self.
member_documenter_classes)
if isinstance(node, ModuleNode):
node.documenter = self.module_documenter_class(node.
package_path, **kwargs)
else:
node.documenter = self.module_documenter_class(node.
package_path, module_documenters=[child.documenter for
child in node if child.documenter is not None], **kwargs)
if (not self.document_empty_modules and not node.documenter.
module_documenters and not node.documenter.member_documenters):
node.parent.remove(node)
return root
| build_node_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_paths):\n import uqbar.apis\n root = PackageNode()\n for source_path in sorted(source_paths, key=lambda x: uqbar.apis.\n source_pa... |
def x(self):
unique_checks, date_checks = self.instance._get_unique_checks(exclude=[])
errors = self.instance._perform_unique_checks(unique_checks)
if errors:
self.add_error(None, errors)
| validate_unique | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n unique_checks, date_checks = self.instance._get_unique_checks(exclude=[])\n errors = self.instance._perform_unique_checks(unique_checks)\n if... |
def x(tenant=tenant, user=user, password=password, organization=
organization, zone_name=zone_name):
router = PrivatePath(tenant, verify_codes=False)
payload = {'firstName': 'AllSeeingEye', 'lastName': 'Monitor', 'email':
user, 'password': password, 'accept': 'true'}
try:
router.post_quick_sign_up(data=payload)
except exceptions.ApiUnauthorizedError:
pass
platform = QubellPlatform.connect(tenant=tenant, user=user, password=
password)
org = platform.organization(name=organization)
if zone_name:
zone = org.zones[zone_name]
else:
zone = org.zone
env = org.environment(name='Monitor for ' + zone.name, zone=zone.id)
env.init_common_services(with_cloud_account=False, zone_name=zone_name)
policy_name = lambda policy: '{}.{}'.format(policy.get('action'),
policy.get('parameter'))
env_data = env.json()
key_id = [p for p in env_data['policies'] if 'provisionVms.publicKeyId' ==
policy_name(p)][0].get('value')
with env as envbulk:
envbulk.add_marker('monitor')
envbulk.add_property('publicKeyId', 'string', key_id)
monitor = Manifest(file=os.path.join(os.path.dirname(__file__),
'./monitor_manifests/monitor.yml'))
monitor_child = Manifest(file=os.path.join(os.path.dirname(__file__),
'./monitor_manifests/monitor_child.yml'))
org.application(manifest=monitor_child, name='monitor-child')
app = org.application(manifest=monitor, name='monitor')
return platform, org.id, app.id, env.id
| prepare_monitor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tenant=tenant, user=user, password=password, organization=\n organization, zone_name=zone_name):\n router = PrivatePath(tenant, verify_codes=False)\n ... |
def x(self, timeout=2):
self.start_time = time.time()
self.end_time = time.time()
instance = self.app.launch(environment=self.env)
time.sleep(2)
assert instance.running(timeout=timeout), "Monitor didn't get Active state"
launched = instance.status == 'Active'
instance.reschedule_workflow(workflow_name='destroy', timestamp=self.
destroy_interval)
assert instance.destroyed(timeout=timeout
), "Monitor didn't get Destroyed after short time"
stopped = instance.status == 'Destroyed'
instance.force_remove()
self.end_time = time.time()
self.status = launched and stopped
| launch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=2):\n self.start_time = time.time()\n self.end_time = time.time()\n instance = self.app.launch(environment=self.env)\n time.sleep(2)\... |
def x(self):
return Monitor(org=self.org, app=self.app, env=self.env)
| clone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Monitor(org=self.org, app=self.app, env=self.env)\n",
"role": "user"
},
{
"content": "clone",
"role": "assistant"
}
] |
def x(raw_data):
url = None
width = None
height = None
try:
url = raw_data['url']
width = raw_data['width']
height = raw_data['height']
except KeyError:
raise ValueError('Unexpected image json structure')
except TypeError:
pass
return Image(url, width, height)
| from_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_data):\n url = None\n width = None\n height = None\n try:\n url = raw_data['url']\n width = raw_data['width']\n height = r... |
def x(self):
if not self.url:
return None
return {'url': self.url, 'width': self.width, 'height': self.height}
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.url:\n return None\n return {'url': self.url, 'width': self.width, 'height': self.height}\n",
"role": "user"
},
{
... |
def x(raw_data):
try:
definition = raw_data['definition']
term_id = raw_data['id']
image = Image.from_dict(raw_data['image'])
rank = raw_data['rank']
term = raw_data['term']
return Term(definition, term_id, image, rank, term)
except KeyError:
raise ValueError('Unexpected term json structure')
| from_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_data):\n try:\n definition = raw_data['definition']\n term_id = raw_data['id']\n image = Image.from_dict(raw_data['image'])\n ... |
def x(self):
return {'definition': self.definition, 'id': self.term_id, 'image':
self.image.to_dict(), 'rank': self.rank, 'term': self.term}
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'definition': self.definition, 'id': self.term_id, 'image':\n self.image.to_dict(), 'rank': self.rank, 'term': self.term}\n",
"r... |
def x(self, other):
if not isinstance(other, WordSet):
raise ValueError('Can compare only WordSets')
return self.term_set & other.term_set
| has_common | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if not isinstance(other, WordSet):\n raise ValueError('Can compare only WordSets')\n return self.term_set & other.term_set\n",
... |
def x(raw_data):
try:
set_id = raw_data['id']
title = raw_data['title']
terms = [Term.from_dict(term) for term in raw_data['terms']]
return WordSet(set_id, title, terms)
except KeyError:
raise ValueError('Unexpected set json structure')
| from_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_data):\n try:\n set_id = raw_data['id']\n title = raw_data['title']\n terms = [Term.from_dict(term) for term in raw_data['terms']]\... |
def x(self):
return {'id': self.set_id, 'title': self.title, 'terms': [term.to_dict(
) for term in self.terms]}
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'id': self.set_id, 'title': self.title, 'terms': [term.to_dict(\n ) for term in self.terms]}\n",
"role": "user"
},
{
"co... |
def x(ctx, yes, latest):
m = RepoManager(ctx.obj['agile'])
api = m.github_repo()
if latest:
latest = api.releases.latest()
if latest:
click.echo(latest['tag_name'])
elif m.can_release('sandbox'):
branch = m.info['branch']
version = m.validate_version()
name = 'v%s' % version
body = ['Release %s from agiletoolkit' % name]
data = dict(tag_name=name, target_commitish=branch, name=name, body
='\n\n'.join(body), draft=False, prerelease=False)
if yes:
data = api.releases.create(data=data)
m.message('Successfully created a new Github release')
click.echo(niceJson(data))
else:
click.echo('skipped')
| release | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, yes, latest):\n m = RepoManager(ctx.obj['agile'])\n api = m.github_repo()\n if latest:\n latest = api.releases.latest()\n if latest... |
def x(app):
app.cache_db_path = ':memory:'
if app.config['uqbar_book_use_cache']:
logger.info(bold('[uqbar-book]'), nonl=True)
logger.info(' initializing cache db')
app.connection = uqbar.book.sphinx.create_cache_db(app.cache_db_path)
| on_builder_inited | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n app.cache_db_path = ':memory:'\n if app.config['uqbar_book_use_cache']:\n logger.info(bold('[uqbar-book]'), nonl=True)\n logger.inf... |
def x(app, config):
extension_paths = config['uqbar_book_extensions'] or [
'uqbar.book.extensions.GraphExtension']
app.uqbar_book_extensions = []
for extension_path in extension_paths:
module_name, _, class_name = extension_path.rpartition('.')
module = importlib.import_module(module_name)
extension_class = getattr(module, class_name)
extension_class.setup_sphinx(app)
app.uqbar_book_extensions.append(extension_class)
| on_config_inited | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, config):\n extension_paths = config['uqbar_book_extensions'] or [\n 'uqbar.book.extensions.GraphExtension']\n app.uqbar_book_extensions = []\... |
def x(app, document):
literal_blocks = uqbar.book.sphinx.collect_literal_blocks(document)
cache_mapping = uqbar.book.sphinx.group_literal_blocks_by_cache_path(
literal_blocks)
node_mapping = {}
use_cache = bool(app.config['uqbar_book_use_cache'])
for cache_path, literal_block_groups in cache_mapping.items():
kwargs = dict(extensions=app.uqbar_book_extensions, setup_lines=app
.config['uqbar_book_console_setup'], teardown_lines=app.config[
'uqbar_book_console_teardown'], use_black=bool(app.config[
'uqbar_book_use_black']))
for literal_blocks in literal_block_groups:
try:
if use_cache:
local_node_mapping = (uqbar.book.sphinx.
interpret_code_blocks_with_cache(literal_blocks,
cache_path, app.connection, **kwargs))
else:
local_node_mapping = (uqbar.book.sphinx.
interpret_code_blocks(literal_blocks, **kwargs))
node_mapping.update(local_node_mapping)
except ConsoleError as exception:
message = exception.args[0].splitlines()[-1]
logger.warning(message, location=exception.args[1])
if app.config['uqbar_book_strict']:
raise
uqbar.book.sphinx.rebuild_document(document, node_mapping)
| on_doctree_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, document):\n literal_blocks = uqbar.book.sphinx.collect_literal_blocks(document)\n cache_mapping = uqbar.book.sphinx.group_literal_blocks_by_cache_p... |
def x(app, exception):
if not app.config['uqbar_book_use_cache']:
return
logger.info('')
for row in app.connection.execute(
'SELECT path, hits FROM cache ORDER BY path'):
path, hits = row
if not hits:
continue
logger.info(bold('[uqbar-book]'), nonl=True)
logger.info(' Cache hits for {}: {}'.format(path, hits))
| on_build_finished | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, exception):\n if not app.config['uqbar_book_use_cache']:\n return\n logger.info('')\n for row in app.connection.execute(\n 'SELECT ... |
def x(signature_node, module, object_name, cache):
class_ = getattr(module, object_name, None)
if class_ is None:
return
if class_ not in cache:
cache[class_] = {}
attributes = inspect.classify_class_attrs(class_)
for attribute in attributes:
cache[class_][attribute.name] = attribute
if inspect.isabstract(class_):
emphasis = nodes.emphasis('abstract ', 'abstract ', classes=[
'property'])
signature_node.insert(0, emphasis)
| handle_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signature_node, module, object_name, cache):\n class_ = getattr(module, object_name, None)\n if class_ is None:\n return\n if class_ not in cac... |
def x(signature_node, module, object_name, cache):
*class_names, attr_name = object_name.split('.')
class_ = module
for class_name in class_names:
class_ = getattr(class_, class_name, None)
if class_ is None:
return
attr = getattr(class_, attr_name)
try:
inspected_attr = cache[class_][attr_name]
defining_class = inspected_attr.defining_class
except KeyError:
defining_class = class_
if defining_class is not class_:
reftarget = '{}.{}'.format(defining_class.__module__,
defining_class.__name__)
xref_node = addnodes.pending_xref('', refdomain='py', refexplicit=
True, reftype='class', reftarget=reftarget)
name_node = nodes.literal('', '{}'.format(defining_class.__name__),
classes=['descclassname'])
xref_node.append(name_node)
desc_annotation = list(signature_node.traverse(addnodes.
desc_annotation))
index = len(desc_annotation)
class_annotation = addnodes.desc_addname()
class_annotation.extend([nodes.Text('('), xref_node, nodes.Text(').')])
class_annotation['xml:space'] = 'preserve'
signature_node.insert(index, class_annotation)
else:
is_overridden = False
for class_ in defining_class.__mro__[1:]:
if hasattr(class_, attr_name):
is_overridden = True
if is_overridden:
emphasis = nodes.emphasis('overridden ', 'overridden ', classes
=['property'])
signature_node.insert(0, emphasis)
if getattr(attr, '__isabstractmethod__', False):
emphasis = nodes.emphasis('abstract', 'abstract', classes=['property'])
signature_node.insert(0, emphasis)
| handle_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signature_node, module, object_name, cache):\n *class_names, attr_name = object_name.split('.')\n class_ = module\n for class_name in class_names:\n ... |
def x(app, document):
cache: Dict[type, Dict[str, object]] = {}
for desc_node in document.traverse(addnodes.desc):
if desc_node.get('domain') != 'py':
continue
signature_node = desc_node.traverse(addnodes.desc_signature)[0]
module_name = signature_node.get('module')
object_name = signature_node.get('fullname')
object_type = desc_node.get('objtype')
module = importlib.import_module(module_name)
if object_type == 'class':
handle_class(signature_node, module, object_name, cache)
elif object_type in ('method', 'attribute', 'staticmethod',
'classmethod'):
handle_method(signature_node, module, object_name, cache)
| on_doctree_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, document):\n cache: Dict[type, Dict[str, object]] = {}\n for desc_node in document.traverse(addnodes.desc):\n if desc_node.get('domain') != '... |
def x(app):
local_css_path = pathlib.Path(__file__).parent / 'uqbar.css'
theme_css_path = pathlib.Path(app.srcdir) / app.config.html_static_path[0
] / 'uqbar.css'
with local_css_path.open('r') as file_pointer:
local_css_contents = file_pointer.read()
uqbar.io.write(local_css_contents, theme_css_path)
| on_builder_inited | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n local_css_path = pathlib.Path(__file__).parent / 'uqbar.css'\n theme_css_path = pathlib.Path(app.srcdir) / app.config.html_static_path[0\n ... |
def x(app) ->Dict[str, Any]:
app.connect('doctree-read', on_doctree_read)
app.connect('builder-inited', on_builder_inited)
app.add_css_file('uqbar.css')
app.add_node(nodes.classifier, override=True, html=(visit_classifier,
depart_classifier))
app.add_node(nodes.definition, override=True, html=(visit_definition,
depart_definition))
app.add_node(nodes.term, override=True, html=(visit_term, depart_term))
return {'version': uqbar.__version__, 'parallel_read_safe': True,
'parallel_write_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) ->Dict[str, Any]:\n app.connect('doctree-read', on_doctree_read)\n app.connect('builder-inited', on_builder_inited)\n app.add_css_file('uqbar.css... |
def x(api, logger, owner, ip=None, port=57911):
if api == ApiType.socket:
api_wrapper = XenaCliWrapper(logger)
elif api == ApiType.rest:
api_wrapper = XenaRestWrapper(logger, ip, port)
return XenaApp(logger, owner, api_wrapper)
| init_xena | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, logger, owner, ip=None, port=57911):\n if api == ApiType.socket:\n api_wrapper = XenaCliWrapper(logger)\n elif api == ApiType.rest:\n ... |
def x(self, chassis, port=22611, password='xena'):
if chassis not in self.chassis_list:
try:
XenaChassis(self, chassis, port, password)
except Exception as error:
self.objects.pop('{}/{}'.format(self.owner, chassis))
raise error
return self.chassis_list[chassis]
| add_chassis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chassis, port=22611, password='xena'):\n if chassis not in self.chassis_list:\n try:\n XenaChassis(self, chassis, port, password)\n ... |
def x(self):
for chassis in self.chassis_list.values():
chassis.inventory(modules_inventory=True)
| inventory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for chassis in self.chassis_list.values():\n chassis.inventory(modules_inventory=True)\n",
"role": "user"
},
{
"content": "inven... |
def x(self, locations, force=False, reset=True):
for location in locations:
ip, module, port = location.split('/')
self.chassis_list[ip].reserve_ports(['{}/{}'.format(module, port)],
force, reset)
return self.ports
| reserve_ports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locations, force=False, reset=True):\n for location in locations:\n ip, module, port = location.split('/')\n self.chassis_list[ip].reser... |
def x(self, blocking=False, *ports):
for chassis, chassis_ports in self._per_chassis_ports(*self.
_get_operation_ports(*ports)).items():
chassis.start_traffic(False, *chassis_ports)
if blocking:
for chassis, chassis_ports in self._per_chassis_ports(*self.
_get_operation_ports(*ports)).items():
chassis.wait_traffic(*chassis_ports)
| start_traffic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blocking=False, *ports):\n for chassis, chassis_ports in self._per_chassis_ports(*self.\n _get_operation_ports(*ports)).items():\n chass... |
def x(self, *ports):
for chassis, chassis_ports in self._per_chassis_ports(*self.
_get_operation_ports(*ports)).items():
chassis.stop_traffic(*chassis_ports)
| stop_traffic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *ports):\n for chassis, chassis_ports in self._per_chassis_ports(*self.\n _get_operation_ports(*ports)).items():\n chassis.stop_traffic(... |
def x(self):
ports = {}
for chassis in self.chassis_list.values():
ports.update({str(p): p for p in chassis.get_objects_by_type('port')})
return ports
| ports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ports = {}\n for chassis in self.chassis_list.values():\n ports.update({str(p): p for p in chassis.get_objects_by_type('port')})\n ret... |
def x(self, modules_inventory=False):
self.c_info = self.get_attributes()
for m_index, m_portcounts in enumerate(self.c_info['c_portcounts'].split()
):
if int(m_portcounts):
module = XenaModule(parent=self, index=m_index)
if modules_inventory:
module.inventory()
| inventory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, modules_inventory=False):\n self.c_info = self.get_attributes()\n for m_index, m_portcounts in enumerate(self.c_info['c_portcounts'].split()\n ... |
def x(self, locations, force=False, reset=True):
for location in locations:
port = XenaPort(parent=self, index=location)
port.reserve(force)
if reset:
port.reset()
return self.ports
| reserve_ports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locations, force=False, reset=True):\n for location in locations:\n port = XenaPort(parent=self, index=location)\n port.reserve(force)\n... |
def x(self, blocking=False, *ports):
self._traffic_command('on', *ports)
if blocking:
self.wait_traffic(*ports)
| start_traffic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blocking=False, *ports):\n self._traffic_command('on', *ports)\n if blocking:\n self.wait_traffic(*ports)\n",
"role": "user"
},
{
... |
def x(self):
if not self.get_objects_by_type('module'):
self.inventory()
return {int(c.index): c for c in self.get_objects_by_type('module')}
| modules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.get_objects_by_type('module'):\n self.inventory()\n return {int(c.index): c for c in self.get_objects_by_type('module')}\n",
... |
def x(self):
self.m_info = self.get_attributes()
if 'NOTCFP' in self.m_info['m_cfptype']:
a = self.get_attribute('m_portcount')
m_portcount = int(a)
else:
m_portcount = int(self.get_attribute('m_cfpconfig').split()[0])
for p_index in range(m_portcount):
XenaPort(parent=self, index='{}/{}'.format(self.index, p_index)
).inventory()
| inventory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.m_info = self.get_attributes()\n if 'NOTCFP' in self.m_info['m_cfptype']:\n a = self.get_attribute('m_portcount')\n m_portcou... |
def x(self):
if not self.get_objects_by_type('port'):
self.inventory()
return {int(p.index.split('/')[1]): p for p in self.get_objects_by_type
('port')}
| ports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.get_objects_by_type('port'):\n self.inventory()\n return {int(p.index.split('/')[1]): p for p in self.get_objects_by_type\n ... |
def x(entry_point, drivers, loop=None):
program = setup(entry_point, drivers)
dispose = program.run()
if loop == None:
loop = asyncio.get_event_loop()
loop.run_forever()
dispose()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entry_point, drivers, loop=None):\n program = setup(entry_point, drivers)\n dispose = program.run()\n if loop == None:\n loop = asyncio.get_eve... |
def x(model, admin=None, category=None):
def x(admin_class):
site.register(model, admin_class=admin_class)
if category:
site.register_block(model, category)
return admin_class
return _model_admin_wrapper
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, admin=None, category=None):\n\n def x(admin_class):\n site.register(model, admin_class=admin_class)\n if category:\n site.re... |
def x(self, request, obj):
permission_name = '{}.edit_{}'.format(obj._meta.app_label, obj._meta.
model_name)
has_permission = request.user.has_perm(permission_name
) or request.user.has_perm(permission_name, obj=obj)
return has_permission
| has_glitter_edit_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, obj):\n permission_name = '{}.edit_{}'.format(obj._meta.app_label, obj._meta.\n model_name)\n has_permission = request.user.has_per... |
def x(self, request, object_id, form_url='', extra_context=None):
obj = self.get_object(request, unquote(object_id))
if obj is None:
raise Http404(_(
'%(name)s object with primary key %(key)r does not exist.') % {
'name': force_text(self.opts.verbose_name), 'key': escape(
object_id)})
if not self.has_change_permission(request, obj):
raise PermissionDenied
content_block = obj.content_block
version = content_block.obj_version
if version.version_number or version.owner != request.user:
raise PermissionDenied
return super().change_view(request, object_id, form_url, extra_context)
| change_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, object_id, form_url='', extra_context=None):\n obj = self.get_object(request, unquote(object_id))\n if obj is None:\n raise Http404... |
def x(self, request, obj):
opts = self.opts.app_label, self.opts.model_name
pk_value = obj._get_pk_val()
if '_continue' in request.POST:
msg = _(
'The %(name)s block was changed successfully. You may edit it again below.'
) % {'name': force_text(self.opts.verbose_name)}
self.message_user(request, msg, messages.SUCCESS)
return HttpResponseRedirect(reverse('admin:%s_%s_continue' % opts,
args=(pk_value,), current_app=self.admin_site.name))
return self.response_rerender(request, obj,
'admin/glitter/update_column.html')
| response_change | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, obj):\n opts = self.opts.app_label, self.opts.model_name\n pk_value = obj._get_pk_val()\n if '_continue' in request.POST:\n msg ... |
def x(name: str, operation: bytes, value: bytes) ->bytes:
assert isinstance(name, str)
assert isinstance(value, bytes)
if operation is None:
return filter_format(b'(%s=%s)', [name, value])
elif operation == 'contains':
assert value != ''
return filter_format(b'(%s=*%s*)', [name, value])
else:
raise ValueError('Unknown search operation %s' % operation)
| get_filter_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, operation: bytes, value: bytes) ->bytes:\n assert isinstance(name, str)\n assert isinstance(value, bytes)\n if operation is None:\n ... |
def x(q: tldap.Q, fields: Dict[str, tldap.fields.Field], pk: str):
if q.negated and len(q.children) == 1:
op = b'!'
elif q.connector == tldap.Q.AND:
op = b'&'
elif q.connector == tldap.Q.OR:
op = b'|'
else:
raise ValueError('Invalid value of op found')
search = []
for child in q.children:
if isinstance(child, tldap.Q):
search.append(get_filter(child, fields, pk))
else:
name, value = child
name, _, operation = name.rpartition('__')
if name == '':
name, operation = operation, None
if name == 'pk':
name = pk
if name == 'dn':
dn_name = 'entryDN:'
if isinstance(value, list):
s = []
for v in value:
assert isinstance(v, str)
v = v.encode('utf_8')
s.append(get_filter_item(dn_name, operation, v))
search.append('(&'.join(search) + ')')
else:
assert isinstance(value, str)
v = value.encode('utf_8')
search.append(get_filter_item(dn_name, operation, v))
continue
field = fields[name]
if isinstance(value, list) and len(value) == 1:
value = value[0]
assert isinstance(value, str)
if isinstance(value, list):
s = []
for v in value:
v = field.value_to_filter(v)
s.append(get_filter_item(name, operation, v))
search.append(b'(&'.join(search) + b')')
else:
value = field.value_to_filter(value)
search.append(get_filter_item(name, operation, value))
if len(search) == 1 and not q.negated:
return search[0]
else:
return b'(' + op + b''.join(search) + b')'
| get_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(q: tldap.Q, fields: Dict[str, tldap.fields.Field], pk: str):\n if q.negated and len(q.children) == 1:\n op = b'!'\n elif q.connector == tldap.Q.AN... |
def x(self):
name = '-'.join(word.lower() for word in uqbar.strings.delimit_words(
type(self).__name__))
return name
| program_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n name = '-'.join(word.lower() for word in uqbar.strings.delimit_words(\n type(self).__name__))\n return name\n",
"role": "user"
},
... |
def x(node: ast.AST) ->bool:
token = node.first_token
return token.line.strip().startswith('result =')
| node_is_result_assignment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node: ast.AST) ->bool:\n token = node.first_token\n return token.line.strip().startswith('result =')\n",
"role": "user"
},
{
"content": "node... |
def x(node: ast.AST) ->bool:
return isinstance(node.value, ast.Str) if isinstance(node, ast.Expr
) else isinstance(node, ast.Pass)
| node_is_noop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node: ast.AST) ->bool:\n return isinstance(node.value, ast.Str) if isinstance(node, ast.Expr\n ) else isinstance(node, ast.Pass)\n",
"role": "use... |
def x(function_node: ast.FunctionDef) ->bool:
return all(node_is_noop(n) for n in function_node.body)
| function_is_noop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function_node: ast.FunctionDef) ->bool:\n return all(node_is_noop(n) for n in function_node.body)\n",
"role": "user"
},
{
"content": "function_i... |
def x(root: ast.AST) ->None:
for node in ast.walk(root):
for child in ast.iter_child_nodes(node):
child.parent = node
| add_node_parents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root: ast.AST) ->None:\n for node in ast.walk(root):\n for child in ast.iter_child_nodes(node):\n child.parent = node\n",
"role": "use... |
def x(node: ast.AST, first_line_no: int) ->Set[int]:
return set(range(get_first_token(node).start[0] - first_line_no,
get_last_token(node).end[0] - first_line_no + 1))
| build_footprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node: ast.AST, first_line_no: int) ->Set[int]:\n return set(range(get_first_token(node).start[0] - first_line_no, \n get_last_token(node).end[0] - fi... |
def x(nodes: List[ast.stmt], max_line_number: int) ->List[ast.stmt]:
return [node for node in nodes if node.lineno < max_line_number and not
isinstance(node, ast.Pass) and not (isinstance(node, ast.Expr) and
isinstance(node.value, ast.Str))]
| filter_arrange_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nodes: List[ast.stmt], max_line_number: int) ->List[ast.stmt]:\n return [node for node in nodes if node.lineno < max_line_number and not\n isinstance... |
def x(nodes: List[ast.stmt], min_line_number: int) ->List[ast.stmt]:
return [node for node in nodes if node.lineno > min_line_number]
| filter_assert_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nodes: List[ast.stmt], min_line_number: int) ->List[ast.stmt]:\n return [node for node in nodes if node.lineno > min_line_number]\n",
"role": "user"
}... |
def x(tree: ast.AST, first_line_no: int) ->Set[int]:
str_footprints = set()
for node in ast.walk(tree):
if isinstance(node, ast.Str):
str_footprints.update(build_footprint(node, first_line_no))
return str_footprints
| find_stringy_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tree: ast.AST, first_line_no: int) ->Set[int]:\n str_footprints = set()\n for node in ast.walk(tree):\n if isinstance(node, ast.Str):\n ... |
def x(self) ->Generator[AAAError, None, None]:
if function_is_noop(self.node):
return
self.mark_bl()
self.mark_def()
self.act_node = self.load_act_node()
self.act_block = Block.build_act(self.act_node.node, self.node)
act_block_first_line_no, act_block_last_line_no = self.act_block.get_span(0
)
self.arrange_block = Block.build_arrange(self.node.body,
act_block_first_line_no)
assert self.act_node
self.assert_block = Block.build_assert(self.node.body,
act_block_last_line_no)
for block in ['arrange', 'act', 'assert']:
self_block = getattr(self, '{}_block'.format(block))
try:
span = self_block.get_span(self.first_line_no)
except EmptyBlock:
continue
self.line_markers.update(span, self_block.line_type)
yield from self.line_markers.check_arrange_act_spacing()
yield from self.line_markers.check_act_assert_spacing()
yield from self.line_markers.check_blank_lines()
| check_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Generator[AAAError, None, None]:\n if function_is_noop(self.node):\n return\n self.mark_bl()\n self.mark_def()\n self.act_node = sel... |
def x(self) ->ActNode:
act_nodes = ActNode.build_body(self.node.body)
if not act_nodes:
raise ValidationError(self.first_line_no, self.node.col_offset,
'AAA01 no Act block found in test')
for a_n in act_nodes[1:]:
if a_n.block_type in [ActNodeType.marked_act, ActNodeType.
result_assignment]:
raise ValidationError(self.first_line_no, self.node.col_offset,
'AAA02 multiple Act blocks found in test')
return act_nodes[0]
| load_act_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->ActNode:\n act_nodes = ActNode.build_body(self.node.body)\n if not act_nodes:\n raise ValidationError(self.first_line_no, self.node.col_of... |
def x(self, target_node: ast.AST, offset: int) ->str:
return self.lines[target_node.lineno - self.node.lineno + offset]
| get_line_relative_to_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_node: ast.AST, offset: int) ->str:\n return self.lines[target_node.lineno - self.node.lineno + offset]\n",
"role": "user"
},
{
"con... |
def x(self) ->int:
first_line = get_first_token(self.node).start[0] - self.first_line_no
try:
end_token = get_last_token(self.node.args.args[-1])
except IndexError:
end_token = get_first_token(self.node)
last_line = end_token.end[0] - self.first_line_no
self.line_markers.update((first_line, last_line), LineType.func_def)
return last_line - first_line + 1
| mark_def | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->int:\n first_line = get_first_token(self.node).start[0] - self.first_line_no\n try:\n end_token = get_last_token(self.node.args.args[-1])\... |
def x(self) ->int:
counter = 0
stringy_lines = find_stringy_lines(self.node, self.first_line_no)
for relative_line_number, line in enumerate(self.lines):
if relative_line_number not in stringy_lines and line.strip() == '':
counter += 1
self.line_markers[relative_line_number] = LineType.blank_line
return counter
| mark_bl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->int:\n counter = 0\n stringy_lines = find_stringy_lines(self.node, self.first_line_no)\n for relative_line_number, line in enumerate(self.line... |
def x(self):
self.update({'puppetclasses': SubDict(self.api, self.objName, self.
payloadObj, self.key, SubItemPuppetClasses)})
self.update({'parameters': SubDict(self.api, self.objName, self.
payloadObj, self.key, SubItemParameter)})
self.update({'interfaces': SubDict(self.api, self.objName, self.
payloadObj, self.key, SubItemInterface)})
self.update({'smart_class_parameters': SubDict(self.api, self.objName,
self.payloadObj, self.key, SubItemSmartClassParameter)})
| enhance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.update({'puppetclasses': SubDict(self.api, self.objName, self.\n payloadObj, self.key, SubItemPuppetClasses)})\n self.update({'param... |
def x(self, var, default=''):
if self.getParam(var):
return self.getParam(var)
if self.hostgroup:
if self.hostgroup.getParam(var):
return self.hostgroup.getParam(var)
if self.domain.getParam('password'):
return self.domain.getParam('password')
else:
return default
| getParamFromEnv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, var, default=''):\n if self.getParam(var):\n return self.getParam(var)\n if self.hostgroup:\n if self.hostgroup.getParam(var):\n ... |
def x(self, hostgroup, domain, defaultPwd='', defaultSshKey='',
proxyHostname='', tplFolder='metadata/templates/'):
if 'user-data' in self.keys():
return self['user-data']
else:
self.hostgroup = hostgroup
self.domain = domain
if proxyHostname == '':
proxyHostname = 'foreman.' + domain['name']
password = self.getParamFromEnv('password', defaultPwd)
sshauthkeys = self.getParamFromEnv('global_sshkey', defaultSshKey)
with open(tplFolder + 'puppet.conf', 'r') as puppet_file:
p = MyTemplate(puppet_file.read())
content = p.substitute(foremanHostname=proxyHostname)
enc_puppet_file = base64.b64encode(bytes(content, 'utf-8'))
with open(tplFolder + 'cloud-init.tpl', 'r') as content_file:
s = MyTemplate(content_file.read())
if sshauthkeys:
sshauthkeys = ' - ' + sshauthkeys
self.userdata = s.substitute(password=password, fqdn=self[
'name'], sshauthkeys=sshauthkeys, foremanurlbuilt=
'http://{}/unattended/built'.format(proxyHostname),
puppet_conf_content=enc_puppet_file.decode('utf-8'))
return self.userdata
| getUserData | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostgroup, domain, defaultPwd='', defaultSshKey='',\n proxyHostname='', tplFolder='metadata/templates/'):\n if 'user-data' in self.keys():\n ... |
def x(self, *payloads, flavour: ModuleType):
for payload in payloads:
self._logger.debug('registering payload %s (%s)', NameRepr(payload),
NameRepr(flavour))
self.runners[flavour].register_payload(payload)
| register_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *payloads, flavour: ModuleType):\n for payload in payloads:\n self._logger.debug('registering payload %s (%s)', NameRepr(payload),\n ... |
def x(self, payload, *, flavour: ModuleType):
return self.runners[flavour].run_payload(payload)
| run_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload, *, flavour: ModuleType):\n return self.runners[flavour].run_payload(payload)\n",
"role": "user"
},
{
"content": "run_payload",
... |
def x(self):
self._logger.info('starting all runners')
try:
with self._lock:
assert not self.running.set(), 'cannot re-run: %s' % self
self.running.set()
thread_runner = self.runners[threading]
for runner in self.runners.values():
if runner is not thread_runner:
thread_runner.register_payload(runner.run)
if threading.current_thread() == threading.main_thread():
asyncio_main_run(root_runner=thread_runner)
else:
thread_runner.run()
except Exception as err:
self._logger.exception('runner terminated: %s', err)
raise RuntimeError from err
finally:
self._stop_runners()
self._logger.info('stopped all runners')
self.running.clear()
| 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._logger.info('starting all runners')\n try:\n with self._lock:\n assert not self.running.set(), 'cannot re-run: %s' % sel... |
def x(self, db_field, **kwargs):
formfield = super().formfield_for_dbfield(db_field, **kwargs)
if db_field.name == 'image':
formfield.widget = ImageRelatedFieldWidgetWrapper(ImageSelect(),
db_field.rel, self.admin_site, can_add_related=True,
can_change_related=True)
return formfield
| formfield_for_dbfield | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db_field, **kwargs):\n formfield = super().formfield_for_dbfield(db_field, **kwargs)\n if db_field.name == 'image':\n formfield.widget = Ima... |
def x(one, two):
one = _normalize_string_type(one)
two = _normalize_string_type(two)
_assert_same_types(one, two)
if isinstance(one, list):
return _compare_lists(one, two)
elif isinstance(one, dict):
return _compare_dicts(one, two)
elif isinstance(one, SCALAR_TYPES):
return one == two
elif one is None:
return one is two
else:
raise RuntimeError('Not allowed type "{type}"'.format(type=type(one
).__name__))
| compare_schemas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(one, two):\n one = _normalize_string_type(one)\n two = _normalize_string_type(two)\n _assert_same_types(one, two)\n if isinstance(one, list):\n ... |
def x(regex):
parts = regex.split('/')
if len(parts) == 1:
return False
if len(parts) < 3:
raise ValueError("Given regex isn't ECMA regex nor Python regex.")
parts.pop()
parts.append('')
raw_regex = '/'.join(parts)
if raw_regex.startswith('/') and raw_regex.endswith('/'):
return True
return False
| is_ecma_regex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regex):\n parts = regex.split('/')\n if len(parts) == 1:\n return False\n if len(parts) < 3:\n raise ValueError(\"Given regex isn't ECMA... |
def x(value):
if not is_ecma_regex(value):
return PythonRegex(value, [])
parts = value.split('/')
flags = parts.pop()
try:
result_flags = [ECMA_TO_PYTHON_FLAGS[f] for f in flags]
except KeyError:
raise ValueError('Wrong flags "{}".'.format(flags))
return PythonRegex('/'.join(parts[1:]), result_flags)
| convert_ecma_regex_to_python | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if not is_ecma_regex(value):\n return PythonRegex(value, [])\n parts = value.split('/')\n flags = parts.pop()\n try:\n resu... |
def x(value, flags=[]):
if is_ecma_regex(value):
return value
result_flags = [PYTHON_TO_ECMA_FLAGS[f] for f in flags]
result_flags = ''.join(result_flags)
return '/{value}/{flags}'.format(value=value, flags=result_flags)
| convert_python_regex_to_ecma | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, flags=[]):\n if is_ecma_regex(value):\n return value\n result_flags = [PYTHON_TO_ECMA_FLAGS[f] for f in flags]\n result_flags = ''.join(... |
def x(self, **values):
values = values.copy()
fields = list(self.iterate_with_name())
for _, structure_name, field in fields:
if structure_name in values:
field.__set__(self, values.pop(structure_name))
for name, _, field in fields:
if name in values:
field.__set__(self, values.pop(name))
| populate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **values):\n values = values.copy()\n fields = list(self.iterate_with_name())\n for _, structure_name, field in fields:\n if structure_na... |
def x(self, field_name):
for attr_name, field in self:
if field_name == attr_name:
return field
raise errors.FieldNotFound('Field not found', field_name)
| get_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name):\n for attr_name, field in self:\n if field_name == attr_name:\n return field\n raise errors.FieldNotFound('Field not... |
def x(self):
for name, field in self:
try:
field.validate_for_object(self)
except ValidationError as error:
raise ValidationError("Error for field '{name}'.".format(name=
name), error)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for name, field in self:\n try:\n field.validate_for_object(self)\n except ValidationError as error:\n raise Va... |
def x(cls):
for attr in dir(cls):
clsattr = getattr(cls, attr)
if isinstance(clsattr, BaseField):
yield attr, clsattr
| iterate_over_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for attr in dir(cls):\n clsattr = getattr(cls, attr)\n if isinstance(clsattr, BaseField):\n yield attr, clsattr\n",
"ro... |
def x(cls):
for attr_name, field in cls.iterate_over_fields():
structure_name = field.structue_name(attr_name)
yield attr_name, structure_name, field
| iterate_with_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for attr_name, field in cls.iterate_over_fields():\n structure_name = field.structue_name(attr_name)\n yield attr_name, structure_name... |
def x(self, value):
parsed = super(IntField, self).parse_value(value)
if parsed is None:
return parsed
return int(parsed)
| parse_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n parsed = super(IntField, self).parse_value(value)\n if parsed is None:\n return parsed\n return int(parsed)\n",
"role": "us... |
def x(self, value):
parsed = super(BoolField, self).parse_value(value)
return bool(parsed) if parsed is not None else None
| parse_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n parsed = super(BoolField, self).parse_value(value)\n return bool(parsed) if parsed is not None else None\n",
"role": "user"
},
{
... |
def x(self, values):
result = self.get_default_value()
if not values:
return result
if not isinstance(values, list):
return values
return [self._cast_value(value) for value in values]
| parse_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values):\n result = self.get_default_value()\n if not values:\n return result\n if not isinstance(values, list):\n return values\n... |
def x(self, value):
if not isinstance(value, dict):
return value
embed_type = self._get_embed_type()
return embed_type(**value)
| parse_value | [
{
"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 not isinstance(value, dict):\n return value\n embed_type = self._get_embed_type()\n return embed_type(**value)\n",
"role... |
def x(self, value):
if self.str_format:
return value.strftime(self.str_format)
return value.isoformat()
| to_struct | [
{
"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.str_format:\n return value.strftime(self.str_format)\n return value.isoformat()\n",
"role": "user"
},
{
"conte... |
def x(self, value):
if value is None:
return value
if isinstance(value, datetime.time):
return value
return parse(value).timetz()
| parse_value | [
{
"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 value is None:\n return value\n if isinstance(value, datetime.time):\n return value\n return parse(value).timetz()\n"... |
def x(self, value):
if self.str_format:
return value.strftime(self.str_format)
return value.strftime(self.default_format)
| to_struct | [
{
"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.str_format:\n return value.strftime(self.str_format)\n return value.strftime(self.default_format)\n",
"role": "user"
... |
def x(self, value):
if isinstance(value, datetime.datetime):
return value
if value:
return parse(value)
else:
return None
| parse_value | [
{
"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 isinstance(value, datetime.datetime):\n return value\n if value:\n return parse(value)\n else:\n return None\n... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.