source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
result = self.bus.read_byte(self.address)
self.log.debug('read_raw_byte: Read 0x%02X from the bus' % result)
return result
| read_raw_byte | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = self.bus.read_byte(self.address)\n self.log.debug('read_raw_byte: Read 0x%02X from the bus' % result)\n return result\n",
"role"... |
def x(self, cmd, length):
results = self.bus.read_i2c_block_data(self.address, cmd, length)
self.log.debug(
'read_block_data: Read [%s] from command register 0x%02X' % (', '.
join([('0x%02X' % x) for x in results]), cmd))
return results
| read_block_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, length):\n results = self.bus.read_i2c_block_data(self.address, cmd, length)\n self.log.debug(\n 'read_block_data: Read [%s] from comma... |
def x(self, cmd):
result = self.bus.read_byte_data(self.address, cmd)
self.log.debug(
'read_unsigned_byte: Read 0x%02X from command register 0x%02X' % (
result, cmd))
return result
| read_unsigned_byte | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n result = self.bus.read_byte_data(self.address, cmd)\n self.log.debug(\n 'read_unsigned_byte: Read 0x%02X from command register 0x%02... |
def x(self, cmd, little_endian=True):
result = self.bus.read_word_data(self.address, cmd)
if not little_endian:
result = (result << 8 & 65280) + (result >> 8)
self.log.debug(
'read_unsigned_word: Read 0x%04X from command register 0x%02X' % (
result, cmd))
return result
| read_unsigned_word | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, little_endian=True):\n result = self.bus.read_word_data(self.address, cmd)\n if not little_endian:\n result = (result << 8 & 65280) + (... |
def x(self, bus):
def x(bus_num):
try:
self.log.debug('Attempting to connect to bus %s...' % bus_num)
self.bus = smbus.SMBus(bus_num)
self.log.debug('Success')
except IOError:
self.log.debug('Failed')
raise
if bus is None:
try:
connect(0)
return
except IOError:
pass
try:
connect(1)
return
except IOError:
raise
else:
try:
connect(bus)
return
except IOError:
raise
| connect_to_bus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bus):\n\n def x(bus_num):\n try:\n self.log.debug('Attempting to connect to bus %s...' % bus_num)\n self.bus = smbus.SMBu... |
def x(self, request, obj=None, **kwargs):
data = super().get_formset(request, obj, **kwargs)
if obj:
data.form.base_fields['user'].initial = request.user.id
return data
| get_formset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, obj=None, **kwargs):\n data = super().get_formset(request, obj, **kwargs)\n if obj:\n data.form.base_fields['user'].initial = reque... |
def x(self):
realData = self.load()
self.clear()
self.update(realData)
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n realData = self.load()\n self.clear()\n self.update(realData)\n",
"role": "user"
},
{
"content": "reload",
"role": "assistant... |
def x(function):
def x(self, *args, **kwargs):
ret = function(self, *args, **kwargs)
self.reload()
return ret
return _updateAfterDecorator
| updateAfterDecorator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function):\n\n def x(self, *args, **kwargs):\n ret = function(self, *args, **kwargs)\n self.reload()\n return ret\n return _updateAf... |
def x(function):
def x(self, *args, **kwargs):
if self.forceFullSync:
self.reload()
return function(self, *args, **kwargs)
return _updateBeforeDecorator
| updateBeforeDecorator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function):\n\n def x(self, *args, **kwargs):\n if self.forceFullSync:\n self.reload()\n return function(self, *args, **kwargs)\n ... |
def x(self):
return {x[self.index]: self.itemType(self.api, x['id'], self.objName,
self.payloadObj, x) for x in self.api.list(self.objName, limit=self
.searchLimit)}
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {x[self.index]: self.itemType(self.api, x['id'], self.objName,\n self.payloadObj, x) for x in self.api.list(self.objName, limit=self\... |
def x(self, key, payload):
if key not in self:
self[key] = payload
return self[key]['id']
| checkAndCreate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, payload):\n if key not in self:\n self[key] = payload\n return self[key]['id']\n",
"role": "user"
},
{
"content": "checkAnd... |
def x():
def x(func):
@wraps(func)
def x(*args, **kwargs):
self = args[0]
assert self.__can_use, "User operation queue only in 'with' block"
def x():
f_args, varargs, keywords, defaults = inspect.getargspec(func)
defaults = defaults or []
return dict(zip(f_args[-len(defaults) + len(args[1:]):],
defaults[len(args[1:]):]))
route_args = dict(defaults_dict().items() + kwargs.items())
func(*args, **kwargs)
self.operations.append((func.__name__, args[1:], route_args))
return wrapped_func
def x(clazz):
for attr in clazz.__dict__:
if callable(getattr(clazz, attr)):
setattr(clazz, attr, decorator(getattr(clazz, attr)))
def x(self):
self.operations = []
self.__can_use = True
def x(self):
self.__can_use = False
clazz.__init__ = __init__
clazz.invalidate = invalidate
return clazz
return decorate
| operations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n self = args[0]\n assert self.__can_use, \"User operatio... |
def x(action_ids=None):
actions_taken = 0
action_list = PublishAction.objects.prefetch_related('content_object'
).filter(scheduled_time__lte=timezone.now())
if action_ids is not None:
action_list = action_list.filter(id__in=action_ids)
for action in action_list:
action.process_action()
action.delete()
actions_taken += 1
return actions_taken
| process_actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action_ids=None):\n actions_taken = 0\n action_list = PublishAction.objects.prefetch_related('content_object'\n ).filter(scheduled_time__lte=timez... |
def x():
enabled = getattr(settings, 'GLITTER_PUBLISHER_CELERY', None)
if enabled is None:
try:
import celery
enabled = True
except ImportError:
enabled = False
return enabled
| celery_enabled | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n enabled = getattr(settings, 'GLITTER_PUBLISHER_CELERY', None)\n if enabled is None:\n try:\n import celery\n enabled = ... |
def x(self, key, payload):
if key not in self:
if 'templates' in payload:
templates = payload.pop('templates')
self[key] = payload
self.reload()
return self[key]['id']
| checkAndCreate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, payload):\n if key not in self:\n if 'templates' in payload:\n templates = payload.pop('templates')\n self[key] = payloa... |
def x(interfaces):
acc = []
for interfaceName, interfaceData in interfaces.items():
signalValues = interfaceData.get('signals', {})
for signalName, signalValue in signalValues.items():
pinName = '{0}.{1}'.format(interfaceName, signalName)
acc.append({'id': pinName, 'value': signalValue})
return acc
| collect_interfaces_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(interfaces):\n acc = []\n for interfaceName, interfaceData in interfaces.items():\n signalValues = interfaceData.get('signals', {})\n for s... |
def x(self):
j = self.json()
public_api_value = j.get('returnValues')
old_private_value = j.get('endpoints')
new_private_value = self.__collect_interfaces_return(j.get('interfaces',
{}))
retvals = new_private_value or old_private_value or public_api_value or []
if self._router.public_api_in_use:
return retvals
return self.__parse(retvals)
| return_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n j = self.json()\n public_api_value = j.get('returnValues')\n old_private_value = j.get('endpoints')\n new_private_value = self.__collect_i... |
def x(self, after=None, severity=None, start=None, end=None):
if after:
log_raw = self._router.get_instance_activitylog(org_id=self.
organizationId, instance_id=self.instanceId, params={'after':
after}).json()
else:
log_raw = self._router.get_instance_activitylog(org_id=self.
organizationId, instance_id=self.instanceId).json()
return ActivityLog(log_raw, severity=severity, start=start, end=end)
| get_activitylog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, after=None, severity=None, start=None, end=None):\n if after:\n log_raw = self._router.get_instance_activitylog(org_id=self.\n organ... |
def x(self):
if self.fresh():
return self.__cached_json
self.__last_read_time = time.time()
self.__cached_json = self._router.get_instance(org_id=self.
organizationId, instance_id=self.instanceId).json()
return self.__cached_json
| json | [
{
"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.fresh():\n return self.__cached_json\n self.__last_read_time = time.time()\n self.__cached_json = self._router.get_instance(or... |
def x(self):
def x(t):
if t:
return time.gmtime(t / 1000)
return None
try:
max_wf_started_at = max([i.get('startedAt') for i in self.
workflowHistory])
return parse_time(max_wf_started_at)
except ValueError:
return None
| get_most_recent_update_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(t):\n if t:\n return time.gmtime(t / 1000)\n return None\n try:\n max_wf_started_at = max([i.get('starte... |
def x(self):
last = self._last_workflow_started_time
if not self._router.public_api_in_use:
most_recent = self.get_most_recent_update_time()
else:
most_recent = None
if last and most_recent:
return last < most_recent
return False
| is_projection_updated_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n last = self._last_workflow_started_time\n if not self._router.public_api_in_use:\n most_recent = self.get_most_recent_update_time()\n ... |
def x(self, item, description='', event_type=''):
if ': ' in item:
splited = item.split(': ', 1)
if splited[0] in self.TYPES:
description = item.split(': ')[1]
event_type = item.split(': ')[0]
else:
description = item
elif not description:
description = item
if event_type:
found = [x['time'] for x in self.log if re.search(description, x[
'description']) and x['eventTypeText'] == event_type]
else:
found = [x['time'] for x in self.log if re.search(description, x[
'description'])]
if len(found):
return found
raise exceptions.NotFoundError(
"Item '{}' is not found with (description='{}', event_type='{}')".
format(item, description, event_type))
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item, description='', event_type=''):\n if ': ' in item:\n splited = item.split(': ', 1)\n if splited[0] in self.TYPES:\n des... |
def x(infile: typing.IO[str]) ->int:
lines = infile.readlines()
tree = ast.parse(''.join(lines))
checker = Checker(tree, lines, infile.name)
checker.load()
errors = []
for func in checker.all_funcs(skip_noqa=True):
try:
errors = list(func.check_all())
except ValidationError as error:
errors = [error.to_aaa()]
print(func.__str__(errors), end='')
return len(errors)
| do_command_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infile: typing.IO[str]) ->int:\n lines = infile.readlines()\n tree = ast.parse(''.join(lines))\n checker = Checker(tree, lines, infile.name)\n chec... |
def x(self, fullname, path, target=None):
if not path:
path = [os.getcwd()]
if '.' in fullname:
name = fullname.split('.')[-1]
else:
name = fullname
for entry in path:
if os.path.isdir(os.path.join(entry, name)):
filename = os.path.join(entry, name, '__init__.py')
submodule_locations = [os.path.join(entry, name)]
else:
filename = os.path.join(entry, name + '.py')
submodule_locations = None
if not os.path.exists(filename):
continue
return spec_from_file_location(fullname, filename, loader=MyLoader(
filename), submodule_search_locations=submodule_locations)
return None
| find_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fullname, path, target=None):\n if not path:\n path = [os.getcwd()]\n if '.' in fullname:\n name = fullname.split('.')[-1]\n else:... |
def x(self, module):
global MAIN_MODULE_NAME
if module.__name__ == MAIN_MODULE_NAME:
module.__name__ = '__main__'
MAIN_MODULE_NAME = None
with open(self.filename) as f:
source = f.read()
if transforms.transformers:
source = transforms.transform(source)
else:
for line in source.split('\n'):
if transforms.FROM_EXPERIMENTAL.match(line):
source = transforms.transform(source)
break
exec(source, vars(module))
| exec_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module):\n global MAIN_MODULE_NAME\n if module.__name__ == MAIN_MODULE_NAME:\n module.__name__ = '__main__'\n MAIN_MODULE_NAME = None... |
def x(*iterables):
iterators = map(iter, iterables)
while iterators:
yield tuple(map(next, iterators))
| izip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*iterables):\n iterators = map(iter, iterables)\n while iterators:\n yield tuple(map(next, iterators))\n",
"role": "user"
},
{
"conten... |
def x(zi, Mi, z=False, verbose=None):
zi = np.array(zi, ndmin=1, dtype=float)
Mi = np.array(Mi, ndmin=1, dtype=float)
if zi.size > 1 and Mi.size > 1:
if zi.size != Mi.size:
print('Error ambiguous request')
print('Need individual redshifts for all haloes provided ')
print('Or have all haloes at same redshift ')
return -1
elif zi.size == 1 and Mi.size > 1:
if verbose:
print('Assume zi is the same for all Mi halo masses provided')
zi = np.ones_like(Mi) * zi[0]
elif Mi.size == 1 and zi.size > 1:
if verbose:
print('Assume Mi halo masses are the same for all zi provided')
Mi = np.ones_like(zi) * Mi[0]
elif verbose:
print('A single Mi and zi provided')
if z is False:
lenzout = 1
else:
z = np.array(z, ndmin=1, dtype=float)
lenzout = z.size
return zi, Mi, z, zi.size, Mi.size, lenzout
| checkinput | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zi, Mi, z=False, verbose=None):\n zi = np.array(zi, ndmin=1, dtype=float)\n Mi = np.array(Mi, ndmin=1, dtype=float)\n if zi.size > 1 and Mi.size > 1:\... |
def x(cosmology):
defaultcosmologies = {'dragons': cg.DRAGONS(), 'wmap1': cg.WMAP1_Mill(),
'wmap3': cg.WMAP3_ML(), 'wmap5': cg.WMAP5_mean(), 'wmap7': cg.
WMAP7_ML(), 'wmap9': cg.WMAP9_ML(), 'wmap1_lss': cg.WMAP1_2dF_mean(
), 'wmap3_mean': cg.WMAP3_mean(), 'wmap5_ml': cg.WMAP5_ML(),
'wmap5_lss': cg.WMAP5_BAO_SN_mean(), 'wmap7_lss': cg.
WMAP7_BAO_H0_mean(), 'planck13': cg.Planck_2013(), 'planck15': cg.
Planck_2015()}
if isinstance(cosmology, dict):
cosmo = cosmology
if 'A_scaling' not in cosmology.keys():
A_scaling = getAscaling(cosmology, newcosmo=True)
cosmo.update({'A_scaling': A_scaling})
for paramnames in cg.WMAP5_mean().keys():
if paramnames not in cosmology.keys():
cosmo.update({paramnames: 0})
elif cosmology.lower() in defaultcosmologies.keys():
cosmo = defaultcosmologies[cosmology.lower()]
A_scaling = getAscaling(cosmology)
cosmo.update({'A_scaling': A_scaling})
else:
print("You haven't passed a dict of cosmological parameters ")
print('OR a recognised cosmology, you gave %s' % cosmology)
cosmo = cp.distance.set_omega_k_0(cosmo)
return cosmo
| getcosmo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cosmology):\n defaultcosmologies = {'dragons': cg.DRAGONS(), 'wmap1': cg.WMAP1_Mill(),\n 'wmap3': cg.WMAP3_ML(), 'wmap5': cg.WMAP5_mean(), 'wmap7': c... |
def x(cosmo):
cosmoheader = (
'# Cosmology (flat) Om:{0:.3f}, Ol:{1:.3f}, h:{2:.2f}, sigma8:{3:.3f}, ns:{4:.2f}'
.format(cosmo['omega_M_0'], cosmo['omega_lambda_0'], cosmo['h'],
cosmo['sigma_8'], cosmo['n']))
return cosmoheader
| getcosmoheader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cosmo):\n cosmoheader = (\n '# Cosmology (flat) Om:{0:.3f}, Ol:{1:.3f}, h:{2:.2f}, sigma8:{3:.3f}, ns:{4:.2f}'\n .format(cosmo['omega_M_0'], c... |
def x(z, M, vir='200crit', relaxed=True):
if vir == '200crit':
if relaxed:
params = [6.71, -0.091, -0.44]
else:
params = [5.71, -0.084, -0.47]
elif vir == 'tophat':
if relaxed:
params = [9.23, -0.09, -0.69]
else:
params = [7.85, -0.081, -0.71]
elif vir == '200mean':
if relaxed:
params = [11.93, -0.09, -0.99]
else:
params = [10.14, -0.081, -1.01]
else:
print("Didn't recognise the halo boundary definition provided %s" % vir
)
return params[0] * (M / (2000000000000.0 / 0.72)) ** params[1] * (1 + z
) ** params[2]
| cduffy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, M, vir='200crit', relaxed=True):\n if vir == '200crit':\n if relaxed:\n params = [6.71, -0.091, -0.44]\n else:\n para... |
def x(**cosmo):
M8_cosmo = cp.perturbation.radius_to_mass(8, **cosmo)
perturbed_A = 0.796 / cosmo['sigma_8'] * (M8_cosmo / 250000000000000.0
) ** ((cosmo['n'] - 0.963) / 6)
return perturbed_A
| delta_sigma | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**cosmo):\n M8_cosmo = cp.perturbation.radius_to_mass(8, **cosmo)\n perturbed_A = 0.796 / cosmo['sigma_8'] * (M8_cosmo / 250000000000000.0\n ) ** ... |
def x(cosmology, newcosmo=None):
defaultcosmologies = {'dragons': 887, 'wmap1': 853, 'wmap3': 850,
'wmap5': 887, 'wmap7': 887, 'wmap9': 950, 'wmap1_lss': 853,
'wmap3_mean': 850, 'wmap5_ml': 887, 'wmap5_lss': 887, 'wmap7_lss':
887, 'planck13': 880, 'planck15': 880}
if newcosmo:
A_scaling = defaultcosmologies['wmap5'] * _delta_sigma(**cosmology)
elif cosmology.lower() in defaultcosmologies.keys():
A_scaling = defaultcosmologies[cosmology.lower()]
else:
print("Error, don't recognise your cosmology for A_scaling ")
print('You provided %s' % cosmology)
return A_scaling
| getAscaling | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cosmology, newcosmo=None):\n defaultcosmologies = {'dragons': 887, 'wmap1': 853, 'wmap3': 850,\n 'wmap5': 887, 'wmap7': 887, 'wmap9': 950, 'wmap1_lss... |
def x(z, **cosmo):
zmax = 200
if hasattr(z, '__len__'):
for zval in z:
assert zval < zmax
else:
assert z < zmax
y, yerr = scipy.integrate.quad(lambda z: (1 + z) / (cosmo['omega_M_0'] *
(1 + z) ** 3 + cosmo['omega_lambda_0']) ** 1.5, z, zmax)
return y
| int_growth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, **cosmo):\n zmax = 200\n if hasattr(z, '__len__'):\n for zval in z:\n assert zval < zmax\n else:\n assert z < zmax\n y,... |
def x(z, **cosmo):
inv_h = (cosmo['omega_M_0'] * (1 + z) ** 3 + cosmo['omega_lambda_0']
) ** -0.5
fz = (1 + z) * inv_h ** 3
deriv_g = growthfactor(z, norm=True, **cosmo) * inv_h ** 2 * 1.5 * cosmo[
'omega_M_0'] * (1 + z) ** 2 - fz * growthfactor(z, norm=True, **cosmo
) / _int_growth(z, **cosmo)
return deriv_g
| deriv_growth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, **cosmo):\n inv_h = (cosmo['omega_M_0'] * (1 + z) ** 3 + cosmo['omega_lambda_0']\n ) ** -0.5\n fz = (1 + z) * inv_h ** 3\n deriv_g = growthf... |
def x(z, norm=True, **cosmo):
H = np.sqrt(cosmo['omega_M_0'] * (1 + z) ** 3 + cosmo['omega_lambda_0'])
growthval = H * _int_growth(z, **cosmo)
if norm:
growthval /= _int_growth(0, **cosmo)
return growthval
| growthfactor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, norm=True, **cosmo):\n H = np.sqrt(cosmo['omega_M_0'] * (1 + z) ** 3 + cosmo['omega_lambda_0'])\n growthval = H * _int_growth(z, **cosmo)\n if norm... |
def x(c, z=0, a_tilde=1, b_tilde=-1, Ascaling=900, omega_M_0=0.25,
omega_lambda_0=0.75):
Y1 = np.log(2) - 0.5
Yc = np.log(1 + c) - c / (1 + c)
f1 = Y1 / Yc
rho_2 = 200 * c ** 3 * Y1 / Yc
zf = (((1 + z) ** 3 + omega_lambda_0 / omega_M_0) * (rho_2 / Ascaling) -
omega_lambda_0 / omega_M_0) ** (1 / 3) - 1
f2 = (1 + zf - z) ** a_tilde * np.exp((zf - z) * b_tilde)
return f1 - f2
| minimize_c | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, z=0, a_tilde=1, b_tilde=-1, Ascaling=900, omega_M_0=0.25,\n omega_lambda_0=0.75):\n Y1 = np.log(2) - 0.5\n Yc = np.log(1 + c) - c / (1 + c)\n f1... |
def x(c, z, Ascaling=900, omega_M_0=0.25, omega_lambda_0=0.75):
Y1 = np.log(2) - 0.5
Yc = np.log(1 + c) - c / (1 + c)
rho_2 = 200 * c ** 3 * Y1 / Yc
zf = (((1 + z) ** 3 + omega_lambda_0 / omega_M_0) * (rho_2 / Ascaling) -
omega_lambda_0 / omega_M_0) ** (1 / 3) - 1
return zf
| formationz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, z, Ascaling=900, omega_M_0=0.25, omega_lambda_0=0.75):\n Y1 = np.log(2) - 0.5\n Yc = np.log(1 + c) - c / (1 + c)\n rho_2 = 200 * c ** 3 * Y1 / Yc\n... |
def x(zi, Mi, **cosmo):
zf = -0.0064 * np.log10(Mi) ** 2 + 0.0237 * np.log10(Mi) + 1.8837
q = 4.137 * zf ** -0.9476
R_Mass = cp.perturbation.mass_to_radius(Mi, **cosmo)
Rq_Mass = cp.perturbation.mass_to_radius(Mi / q, **cosmo)
sig, err_sig = cp.perturbation.sigma_r(R_Mass, 0, **cosmo)
sigq, err_sigq = cp.perturbation.sigma_r(Rq_Mass, 0, **cosmo)
f = (sigq ** 2 - sig ** 2) ** -0.5
a_tilde = (np.sqrt(2 / np.pi) * 1.686 * _deriv_growth(zi, **cosmo) /
growthfactor(zi, norm=True, **cosmo) ** 2 + 1) * f
b_tilde = -f
return a_tilde, b_tilde
| calc_ab | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zi, Mi, **cosmo):\n zf = -0.0064 * np.log10(Mi) ** 2 + 0.0237 * np.log10(Mi) + 1.8837\n q = 4.137 * zf ** -0.9476\n R_Mass = cp.perturbation.mass_to_r... |
def x(z, zi, Mi, **cosmo):
a_tilde, b_tilde = calc_ab(zi, Mi, **cosmo)
Mz = Mi * (1 + z - zi) ** a_tilde * np.exp(b_tilde * (z - zi))
dMdt = 71.6 * (Mz / 1000000000000.0) * (cosmo['h'] / 0.7) * (-a_tilde /
(1 + z - zi) - b_tilde) * (1 + z) * np.sqrt(cosmo['omega_M_0'] * (1 +
z) ** 3 + cosmo['omega_lambda_0'])
return dMdt, Mz
| acc_rate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, zi, Mi, **cosmo):\n a_tilde, b_tilde = calc_ab(zi, Mi, **cosmo)\n Mz = Mi * (1 + z - zi) ** a_tilde * np.exp(b_tilde * (z - zi))\n dMdt = 71.6 * (M... |
def x(z, zi, Mi, **cosmo):
z = np.array(z, ndmin=1, dtype=float)
dMdt_array = np.empty_like(z)
Mz_array = np.empty_like(z)
for i_ind, zval in enumerate(z):
dMdt, Mz = acc_rate(zval, zi, Mi, **cosmo)
dMdt_array[i_ind] = dMdt
Mz_array[i_ind] = Mz
return dMdt_array, Mz_array
| MAH | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, zi, Mi, **cosmo):\n z = np.array(z, ndmin=1, dtype=float)\n dMdt_array = np.empty_like(z)\n Mz_array = np.empty_like(z)\n for i_ind, zval in enu... |
def x(z, M, **cosmo):
z = np.array(z, ndmin=1, dtype=float)
M = np.array(M, ndmin=1, dtype=float)
c_array = np.empty_like(z)
sig_array = np.empty_like(z)
nu_array = np.empty_like(z)
zf_array = np.empty_like(z)
for i_ind, (zval, Mval) in enumerate(_izip(z, M)):
a_tilde, b_tilde = calc_ab(zval, Mval, **cosmo)
c = scipy.optimize.brentq(_minimize_c, 2, 1000, args=(zval, a_tilde,
b_tilde, cosmo['A_scaling'], cosmo['omega_M_0'], cosmo[
'omega_lambda_0']))
if np.isclose(c, 0):
print(
'Error solving for concentration with given redshift and (probably) too small a mass'
)
c = -1
sig = -1
nu = -1
zf = -1
else:
zf = formationz(c, zval, Ascaling=cosmo['A_scaling'], omega_M_0
=cosmo['omega_M_0'], omega_lambda_0=cosmo['omega_lambda_0'])
R_Mass = cp.perturbation.mass_to_radius(Mval, **cosmo)
sig, err_sig = cp.perturbation.sigma_r(R_Mass, 0, **cosmo)
nu = 1.686 / (sig * growthfactor(zval, norm=True, **cosmo))
c_array[i_ind] = c
sig_array[i_ind] = sig
nu_array[i_ind] = nu
zf_array[i_ind] = zf
return c_array, sig_array, nu_array, zf_array
| COM | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, M, **cosmo):\n z = np.array(z, ndmin=1, dtype=float)\n M = np.array(M, ndmin=1, dtype=float)\n c_array = np.empty_like(z)\n sig_array = np.empty... |
def x(config_path: str):
if os.path.splitext(config_path)[1] in ('.yaml', '.yml'):
_ = load_yaml_configuration(config_path, translator=
PipelineTranslator())
elif os.path.splitext(config_path)[1] == '.py':
_ = load_python_configuration(config_path)
else:
raise ValueError('Unknown configuration extension: %r' % os.path.
splitext(config_path)[1])
yield
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_path: str):\n if os.path.splitext(config_path)[1] in ('.yaml', '.yml'):\n _ = load_yaml_configuration(config_path, translator=\n Pi... |
def x(text):
loop_keyword = 'repeat'
nb = text.count(loop_keyword)
if nb == 0:
return text
var_names = get_unique_variable_names(text, nb)
toks = tokenize.generate_tokens(StringIO(text).readline)
result = []
replacing_keyword = False
for toktype, tokvalue, _, _, _ in toks:
if toktype == tokenize.NAME and tokvalue == loop_keyword:
result.extend([(tokenize.NAME, 'for'), (tokenize.NAME,
var_names.pop()), (tokenize.NAME, 'in'), (tokenize.NAME,
'range'), (tokenize.OP, '(')])
replacing_keyword = True
elif replacing_keyword and tokvalue == ':':
result.extend([(tokenize.OP, ')'), (tokenize.OP, ':')])
replacing_keyword = False
else:
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 loop_keyword = 'repeat'\n nb = text.count(loop_keyword)\n if nb == 0:\n return text\n var_names = get_unique_variable_names(text, n... |
def x(text, nb):
base_name = '__VAR_'
var_names = []
i = 0
j = 0
while j < nb:
tentative_name = base_name + str(i)
if text.count(tentative_name) == 0 and tentative_name not in ALL_NAMES:
var_names.append(tentative_name)
ALL_NAMES.append(tentative_name)
j += 1
i += 1
return var_names
| get_unique_variable_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, nb):\n base_name = '__VAR_'\n var_names = []\n i = 0\n j = 0\n while j < nb:\n tentative_name = base_name + str(i)\n if text... |
def x(self, tag):
url = '%s/tags/%s' % (self, tag)
response = self.http.get(url, auth=self.auth)
response.raise_for_status()
return response.json()
| tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag):\n url = '%s/tags/%s' % (self, tag)\n response = self.http.get(url, auth=self.auth)\n response.raise_for_status()\n return response.json... |
def x(self, release):
release = self.as_id(release)
return self.get_list(url='%s/%s/assets' % (self, release))
| release_assets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, release):\n release = self.as_id(release)\n return self.get_list(url='%s/%s/assets' % (self, release))\n",
"role": "user"
},
{
"content... |
def x(self, release, filename, content_type=None):
release = self.as_id(release)
name = os.path.basename(filename)
if not content_type:
content_type, _ = mimetypes.guess_type(name)
if not content_type:
raise ValueError('content_type not known')
inputs = {'name': name}
url = '%s%s/%s/assets' % (self.uploads_url, urlsplit(self.api_url).path,
release)
info = os.stat(filename)
size = info[stat.ST_SIZE]
response = self.http.post(url, data=stream_upload(filename), auth=self.
auth, params=inputs, headers={'content-type': content_type,
'content-length': str(size)})
response.raise_for_status()
return response.json()
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, release, filename, content_type=None):\n release = self.as_id(release)\n name = os.path.basename(filename)\n if not content_type:\n conte... |
def x(self, tag_name, prefix=None):
new_version = semantic_version(tag_name)
current = self.latest()
if current:
tag_name = current['tag_name']
if prefix:
tag_name = tag_name[len(prefix):]
tag_name = semantic_version(tag_name)
if tag_name >= new_version:
what = 'equal to' if tag_name == new_version else 'older than'
raise GithubException(
"""Your local version "%s" is %s the current github version "%s".
Bump the local version to continue."""
% (str(new_version), what, str(tag_name)))
return current
| validate_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, prefix=None):\n new_version = semantic_version(tag_name)\n current = self.latest()\n if current:\n tag_name = current['tag_name... |
def x(self):
if self.link == '':
return None
else:
return Note._expand_url(self.link, self.subreddit)
| full_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.link == '':\n return None\n else:\n return Note._expand_url(self.link, self.subreddit)\n",
"role": "user"
},
{
... |
def x(link):
comment_re = re.compile(
'/comments/([A-Za-z\\d]{2,})(?:/[^\\s]+/([A-Za-z\\d]+))?')
message_re = re.compile('/message/messages/([A-Za-z\\d]+)')
matches = re.findall(comment_re, link)
if len(matches) == 0:
matches = re.findall(message_re, link)
if len(matches) == 0:
return None
else:
return 'm,' + matches[0]
elif matches[0][1] == '':
return 'l,' + matches[0][0]
else:
return 'l,' + matches[0][0] + ',' + matches[0][1]
| compress_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(link):\n comment_re = re.compile(\n '/comments/([A-Za-z\\\\d]{2,})(?:/[^\\\\s]+/([A-Za-z\\\\d]+))?')\n message_re = re.compile('/message/messages/... |
def x(short_link, subreddit=None):
message_scheme = 'https://reddit.com/message/messages/{}'
comment_scheme = 'https://reddit.com/r/{}/comments/{}/-/{}'
post_scheme = 'https://reddit.com/r/{}/comments/{}/'
if short_link == '':
return None
else:
parts = short_link.split(',')
if parts[0] == 'm':
return message_scheme.format(parts[1])
if parts[0] == 'l' and subreddit:
if len(parts) > 2:
return comment_scheme.format(subreddit, parts[1], parts[2])
else:
return post_scheme.format(subreddit, parts[1])
elif not subreddit:
raise ValueError('Subreddit name must be provided')
else:
return None
| expand_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(short_link, subreddit=None):\n message_scheme = 'https://reddit.com/message/messages/{}'\n comment_scheme = 'https://reddit.com/r/{}/comments/{}/-/{}'\n ... |
def x(self):
try:
usernotes = self.subreddit.wiki[self.page_name].content_md
notes = json.loads(usernotes)
except NotFound:
self._init_notes()
else:
if notes['ver'] != self.schema:
raise RuntimeError('Usernotes schema is v{0}, puni requires v{1}'
.format(notes['ver'], self.schema))
self.cached_json = self._expand_json(notes)
return self.cached_json
| get_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n usernotes = self.subreddit.wiki[self.page_name].content_md\n notes = json.loads(usernotes)\n except NotFound:\n self... |
def x(self):
self.cached_json = {'ver': self.schema, 'users': {}, 'constants': {
'users': [x.name for x in self.subreddit.moderator()], 'warnings':
Note.warnings}}
self.set_json('Initializing JSON via puni', True)
| init_notes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.cached_json = {'ver': self.schema, 'users': {}, 'constants': {\n 'users': [x.name for x in self.subreddit.moderator()], 'warnings':\n ... |
def x(self, reason='', new_page=False):
compressed_json = json.dumps(self._compress_json(self.cached_json))
if len(compressed_json) > self.max_page_size:
raise OverflowError('Usernotes page is too large (>{0} characters)'
.format(self.max_page_size))
if new_page:
self.subreddit.wiki.create(self.page_name, compressed_json, reason)
self.subreddit.wiki[self.page_name].mod.update(False, permlevel=2)
else:
self.subreddit.wiki[self.page_name].edit(compressed_json, reason)
| set_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason='', new_page=False):\n compressed_json = json.dumps(self._compress_json(self.cached_json))\n if len(compressed_json) > self.max_page_size:\n... |
def x(self, user):
try:
users_notes = []
for note in self.cached_json['users'][user]['ns']:
users_notes.append(Note(user=user, note=note['n'], subreddit=
self.subreddit, mod=self._mod_from_index(note['m']), link=
note['l'], warning=self._warning_from_index(note['w']),
note_time=note['t']))
return users_notes
except KeyError:
return []
| get_notes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n try:\n users_notes = []\n for note in self.cached_json['users'][user]['ns']:\n users_notes.append(Note(user=user, no... |
def x(self, j):
decompressed_json = copy.copy(j)
decompressed_json.pop('blob', None)
compressed_data = base64.b64decode(j['blob'])
original_json = zlib.decompress(compressed_data).decode('utf-8')
decompressed_json['users'] = json.loads(original_json)
return decompressed_json
| expand_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, j):\n decompressed_json = copy.copy(j)\n decompressed_json.pop('blob', None)\n compressed_data = base64.b64decode(j['blob'])\n original_json ... |
def x(self, j):
compressed_json = copy.copy(j)
compressed_json.pop('users', None)
compressed_data = zlib.compress(json.dumps(j['users']).encode('utf-8'),
self.zlib_compression_strength)
b64_data = base64.b64encode(compressed_data).decode('utf-8')
compressed_json['blob'] = b64_data
return compressed_json
| compress_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, j):\n compressed_json = copy.copy(j)\n compressed_json.pop('users', None)\n compressed_data = zlib.compress(json.dumps(j['users']).encode('utf-8... |
def x(self, note):
notes = self.cached_json
if not note.moderator:
note.moderator = self.r.user.me().name
try:
mod_index = notes['constants']['users'].index(note.moderator)
except ValueError:
notes['constants']['users'].append(note.moderator)
mod_index = notes['constants']['users'].index(note.moderator)
try:
warn_index = notes['constants']['warnings'].index(note.warning)
except ValueError:
if note.warning in Note.warnings:
notes['constants']['warnings'].append(note.warning)
warn_index = notes['constants']['warnings'].index(note.warning)
else:
raise ValueError('Warning type not valid: ' + note.warning)
new_note = {'n': note.note, 't': note.time, 'm': mod_index, 'l': note.
link, 'w': warn_index}
try:
notes['users'][note.username]['ns'].insert(0, new_note)
except KeyError:
notes['users'][note.username] = {'ns': [new_note]}
return '"create new note on user {}" via puni'.format(note.username)
| add_note | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, note):\n notes = self.cached_json\n if not note.moderator:\n note.moderator = self.r.user.me().name\n try:\n mod_index = notes['co... |
def x(self, username, index):
self.cached_json['users'][username]['ns'].pop(index)
if len(self.cached_json['users'][username]['ns']) == 0:
del self.cached_json['users'][username]
return '"delete note #{} on user {}" via puni'.format(index, username)
| remove_note | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, index):\n self.cached_json['users'][username]['ns'].pop(index)\n if len(self.cached_json['users'][username]['ns']) == 0:\n del sel... |
def x(self):
cl_tmp = self.api.list(self.objName, limit=self.searchLimit).values()
cl = []
for i in cl_tmp:
cl.extend(i)
return {x[self.index]: ItemPuppetClass(self.api, x['id'], self.objName,
self.payloadObj, x) for x in cl}
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cl_tmp = self.api.list(self.objName, limit=self.searchLimit).values()\n cl = []\n for i in cl_tmp:\n cl.extend(i)\n return {x[self.... |
def x(item, app_id, app_ver=None):
versionRange = item.get('versionRange')
if not versionRange:
return True
for vR in versionRange:
if not vR.get('targetApplication'):
return True
if get_related_targetApplication(vR, app_id, app_ver) is not None:
return True
return False
| is_related_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item, app_id, app_ver=None):\n versionRange = item.get('versionRange')\n if not versionRange:\n return True\n for vR in versionRange:\n ... |
def x(vR, app_id, app_ver):
targetApplication = vR.get('targetApplication')
if not targetApplication:
return None
for tA in targetApplication:
guid = tA.get('guid')
if not guid or guid == app_id:
if not app_ver:
return tA
if between(version_int(app_ver), '0', tA.get('maxVersion', '*')):
return tA
return None
| get_related_targetApplication | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vR, app_id, app_ver):\n targetApplication = vR.get('targetApplication')\n if not targetApplication:\n return None\n for tA in targetApplication... |
def x(xml_tree, records, app_id, api_ver=3, app_ver=None):
if not records:
return
emItems = etree.SubElement(xml_tree, 'emItems')
groupby = {}
for item in records:
if is_related_to(item, app_id, app_ver):
if item['guid'] in groupby:
emItem = groupby[item['guid']]
if 'blockID' in item:
current_blockID = int(item['blockID'][1:])
previous_blockID = int(emItem.attrib['blockID'][1:])
if current_blockID > previous_blockID:
emItem.attrib['blockID'] = item['blockID']
else:
emItem.attrib['blockID'] = item['id']
else:
emItem = etree.SubElement(emItems, 'emItem', blockID=item.
get('blockID', item['id']))
groupby[item['guid']] = emItem
prefs = etree.SubElement(emItem, 'prefs')
for p in item['prefs']:
pref = etree.SubElement(prefs, 'pref')
pref.text = p
emItem.set('id', item['guid'])
for field in ['name', 'os']:
if field in item:
emItem.set(field, item[field])
build_version_range(emItem, item, app_id)
| write_addons_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_tree, records, app_id, api_ver=3, app_ver=None):\n if not records:\n return\n emItems = etree.SubElement(xml_tree, 'emItems')\n groupby = {... |
def x(xml_tree, records, app_id, api_ver=3, app_ver=None):
if not records:
return
pluginItems = etree.SubElement(xml_tree, 'pluginItems')
for item in records:
for versionRange in item.get('versionRange', []):
if not versionRange.get('targetApplication'):
add_plugin_item(pluginItems, item, versionRange, app_id=
app_id, api_ver=api_ver, app_ver=app_ver)
else:
targetApplication = get_related_targetApplication(versionRange,
app_id, app_ver)
if targetApplication is not None:
add_plugin_item(pluginItems, item, versionRange,
targetApplication, app_id=app_id, api_ver=api_ver,
app_ver=app_ver)
| write_plugin_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_tree, records, app_id, api_ver=3, app_ver=None):\n if not records:\n return\n pluginItems = etree.SubElement(xml_tree, 'pluginItems')\n for... |
def x(xml_tree, records, app_id, api_ver=3):
if not records:
return
gfxItems = etree.SubElement(xml_tree, 'gfxItems')
for item in records:
is_record_related = 'guid' not in item or item['guid'] == app_id
if is_record_related:
entry = etree.SubElement(gfxItems, 'gfxBlacklistEntry', blockID
=item.get('blockID', item['id']))
fields = ['os', 'vendor', 'feature', 'featureStatus',
'driverVersion', 'driverVersionComparator']
for field in fields:
if field in item:
node = etree.SubElement(entry, field)
node.text = item[field]
if item['devices']:
devices = etree.SubElement(entry, 'devices')
for d in item['devices']:
device = etree.SubElement(devices, 'device')
device.text = d
if 'versionRange' in item:
version = item['versionRange']
versionRange = etree.SubElement(entry, 'versionRange')
for field in ['minVersion', 'maxVersion']:
value = version.get(field)
if value:
versionRange.set(field, str(value))
| write_gfx_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_tree, records, app_id, api_ver=3):\n if not records:\n return\n gfxItems = etree.SubElement(xml_tree, 'gfxItems')\n for item in records:\n ... |
def x(xml_tree, records, api_ver=3, app_id=None, app_ver=None):
if not records or not should_include_certs(app_id, app_ver):
return
certItems = etree.SubElement(xml_tree, 'certItems')
for item in records:
if item.get('subject') and item.get('pubKeyHash'):
cert = etree.SubElement(certItems, 'certItem', subject=item[
'subject'], pubKeyHash=item['pubKeyHash'])
else:
cert = etree.SubElement(certItems, 'certItem', issuerName=item[
'issuerName'])
serialNumber = etree.SubElement(cert, 'serialNumber')
serialNumber.text = item['serialNumber']
| write_cert_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_tree, records, api_ver=3, app_id=None, app_ver=None):\n if not records or not should_include_certs(app_id, app_ver):\n return\n certItems = et... |
def x(self, name, color, update=True):
url = '%s/labels' % self
data = dict(name=name, color=color)
response = self.http.post(url, json=data, auth=self.auth, headers=self.
headers)
if response.status_code == 201:
return True
elif response.status_code == 422 and update:
url = '%s/%s' % (url, name)
response = self.http.patch(url, json=data, auth=self.auth, headers=
self.headers)
response.raise_for_status()
return False
| label | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, color, update=True):\n url = '%s/labels' % self\n data = dict(name=name, color=color)\n response = self.http.post(url, json=data, auth=sel... |
def x(source, dictionary):
toks = tokenize.generate_tokens(StringIO(source).readline)
result = []
for toktype, tokvalue, _, _, _ in toks:
if toktype == tokenize.NAME and tokvalue in dictionary:
result.append((toktype, dictionary[tokvalue]))
else:
result.append((toktype, tokvalue))
return tokenize.untokenize(result)
| translate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, dictionary):\n toks = tokenize.generate_tokens(StringIO(source).readline)\n result = []\n for toktype, tokvalue, _, _, _ in toks:\n if ... |
def x(self):
self.update({'images': SubDict(self.api, self.objName, self.payloadObj,
self.key, SubItemImages)})
| 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({'images': SubDict(self.api, self.objName, self.payloadObj,\n self.key, SubItemImages)})\n",
"role": "user"
},
{
"co... |
async def _run_payloads(self):
"""Async component of _run"""
delay = 0.0
try:
while self.running.is_set():
await self._start_payloads()
await self._reap_payloads()
await asyncio.sleep(delay)
delay = min(delay + 0.1, 1.0)
except Exception:
await self._cancel_payloads()
raise
| run_payloads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _run_payloads(self):\n \"\"\"Async component of _run\"\"\"\n delay = 0.0\n try:\n while self.running.is_set():\n await self._sta... |
async def _start_payloads(self):
"""Start all queued payloads"""
with self._lock:
for coroutine in self._payloads:
task = self.event_loop.create_task(coroutine())
self._tasks.add(task)
self._payloads.clear()
await asyncio.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):\n \"\"\"Start all queued payloads\"\"\"\n with self._lock:\n for coroutine in self._payloads:\n task = self.... |
async def _reap_payloads(self):
"""Clean up all finished payloads"""
for task in self._tasks.copy():
if task.done():
self._tasks.remove(task)
if task.exception() is not None:
raise task.exception()
await asyncio.sleep(0)
| reap_payloads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _reap_payloads(self):\n \"\"\"Clean up all finished payloads\"\"\"\n for task in self._tasks.copy():\n if task.done():\n self._task... |
async def _cancel_payloads(self):
"""Cancel all remaining payloads"""
for task in self._tasks:
task.cancel()
await asyncio.sleep(0)
for task in self._tasks:
while not task.done():
await asyncio.sleep(0.1)
task.cancel()
| cancel_payloads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _cancel_payloads(self):\n \"\"\"Cancel all remaining payloads\"\"\"\n for task in self._tasks:\n task.cancel()\n await asyncio.sleep(0)... |
def x(password: str, encrypted: str) ->bool:
if encrypted.startswith('{crypt}'):
encrypted = '{CRYPT}' + encrypted[7:]
return pwd_context.verify(password, encrypted)
| check_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(password: str, encrypted: str) ->bool:\n if encrypted.startswith('{crypt}'):\n encrypted = '{CRYPT}' + encrypted[7:]\n return pwd_context.verify(p... |
def x(ctx, sandbox):
m = RepoManager(ctx.obj['agile'])
if not sandbox or m.can_release('sandbox'):
click.echo(m.validate_version())
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, sandbox):\n m = RepoManager(ctx.obj['agile'])\n if not sandbox or m.can_release('sandbox'):\n click.echo(m.validate_version())\n",
"role"... |
def x(self, force_flush_cache: bool=False) ->None:
super(LDAPwrapper, self).reset()
if len(self._transactions) == 0:
raise RuntimeError('reset called outside a transaction.')
self._transactions[-1] = []
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_flush_cache: bool=False) ->None:\n super(LDAPwrapper, self).reset()\n if len(self._transactions) == 0:\n raise RuntimeError('reset cal... |
def x(self, dn: str) ->Dict[str, bytes]:
self._do_with_retry(lambda obj: obj.search(dn, '(objectclass=*)', ldap3
.BASE, attributes=['*', '+']))
results = self._obj.response
if len(results) < 1:
raise NoSuchObject('No results finding current value')
if len(results) > 1:
raise RuntimeError('Too many results finding current value')
return results[0]['raw_attributes']
| cache_get_for_dn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn: str) ->Dict[str, bytes]:\n self._do_with_retry(lambda obj: obj.search(dn, '(objectclass=*)', ldap3\n .BASE, attributes=['*', '+']))\n re... |
def x(self) ->bool:
if len(self._transactions) == 0:
raise RuntimeError('is_dirty called outside a transaction.')
if len(self._transactions[-1]) > 0:
return True
return False
| is_dirty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n if len(self._transactions) == 0:\n raise RuntimeError('is_dirty called outside a transaction.')\n if len(self._transactions[-1]) >... |
def x(self) ->None:
if len(self._transactions) == 0:
raise RuntimeError(
'leave_transaction_management called outside transaction')
elif len(self._transactions[-1]) > 0:
raise RuntimeError(
'leave_transaction_management called with uncommited rollbacks')
else:
self._transactions.pop()
| leave_transaction_management | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n if len(self._transactions) == 0:\n raise RuntimeError(\n 'leave_transaction_management called outside transaction')\n e... |
def x(self) ->None:
if len(self._transactions) == 0:
raise RuntimeError('commit called outside transaction')
if len(self._transactions) > 1:
for on_rollback in reversed(self._transactions[-1]):
self._transactions[-2].insert(0, on_rollback)
_debug('commit')
self.reset()
| commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n if len(self._transactions) == 0:\n raise RuntimeError('commit called outside transaction')\n if len(self._transactions) > 1:\n ... |
def x(self) ->None:
if len(self._transactions) == 0:
raise RuntimeError('rollback called outside transaction')
_debug('rollback:', self._transactions[-1])
try:
for on_rollback in self._transactions[-1]:
_debug('--> rolling back', on_rollback)
self._do_with_retry(on_rollback)
except:
_debug('--> rollback failed')
exc_class, exc, tb = sys.exc_info()
raise tldap.exceptions.RollbackError(
'FATAL Unrecoverable rollback error: %r' % exc)
finally:
_debug('--> rollback success')
self.reset()
| rollback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n if len(self._transactions) == 0:\n raise RuntimeError('rollback called outside transaction')\n _debug('rollback:', self._transacti... |
def x(self, on_commit: UpdateCallable, on_rollback: UpdateCallable) ->Any:
_debug('---> commiting', on_commit)
result = self._do_with_retry(on_commit)
if len(self._transactions) > 0:
self._transactions[-1].insert(0, on_rollback)
return result
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, on_commit: UpdateCallable, on_rollback: UpdateCallable) ->Any:\n _debug('---> commiting', on_commit)\n result = self._do_with_retry(on_commit)\n ... |
def x(self, dn: str, mod_list: dict) ->None:
_debug('add', self, dn, mod_list)
def x(obj):
obj.add(dn, None, mod_list)
def x(obj):
obj.delete(dn)
return self._process(on_commit, on_rollback)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn: str, mod_list: dict) ->None:\n _debug('add', self, dn, mod_list)\n\n def x(obj):\n obj.add(dn, None, mod_list)\n\n def x(obj):\n ... |
def x(self, dn: str, mod_list: dict) ->None:
_debug('modify', self, dn, mod_list)
revlist = {}
result = self._cache_get_for_dn(dn)
for mod_type, l in six.iteritems(mod_list):
for mod_op, mod_vals in l:
_debug('attribute:', mod_type)
if mod_type in result:
_debug('attribute cache:', result[mod_type])
else:
_debug('attribute cache is empty')
_debug('attribute modify:', (mod_op, mod_vals))
if mod_vals is not None:
if not isinstance(mod_vals, list):
mod_vals = [mod_vals]
if mod_op == ldap3.MODIFY_ADD:
reverse = ldap3.MODIFY_DELETE, mod_vals
elif mod_op == ldap3.MODIFY_DELETE and len(mod_vals) > 0:
reverse = ldap3.MODIFY_ADD, mod_vals
elif mod_op == ldap3.MODIFY_DELETE or mod_op == ldap3.MODIFY_REPLACE:
if mod_type in result:
reverse = ldap3.MODIFY_REPLACE, tldap.modlist.escape_list(
result[mod_type])
else:
reverse = ldap3.MODIFY_DELETE, []
else:
raise RuntimeError('mod_op of %d not supported' % mod_op)
reverse = [reverse]
_debug('attribute reverse:', reverse)
if mod_type in result:
_debug('attribute cache:', result[mod_type])
else:
_debug('attribute cache is empty')
revlist[mod_type] = reverse
_debug('--')
_debug('mod_list:', mod_list)
_debug('revlist:', revlist)
_debug('--')
def x(obj):
obj.modify(dn, mod_list)
def x(obj):
obj.modify(dn, revlist)
return self._process(on_commit, on_rollback)
| modify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn: str, mod_list: dict) ->None:\n _debug('modify', self, dn, mod_list)\n revlist = {}\n result = self._cache_get_for_dn(dn)\n for mod_type, ... |
def x(self, dn: str, mod_list: dict):
_debug('modify_no_rollback', self, dn, mod_list)
result = self._do_with_retry(lambda obj: obj.modify_s(dn, mod_list))
_debug('--')
return result
| modify_no_rollback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn: str, mod_list: dict):\n _debug('modify_no_rollback', self, dn, mod_list)\n result = self._do_with_retry(lambda obj: obj.modify_s(dn, mod_list))... |
def x(self, dn: str) ->None:
_debug('delete', self)
result = self._cache_get_for_dn(dn)
def x(name):
if name in result:
del result[name]
delete_attribute('entryUUID')
delete_attribute('structuralObjectClass')
delete_attribute('modifiersName')
delete_attribute('subschemaSubentry')
delete_attribute('entryDN')
delete_attribute('modifyTimestamp')
delete_attribute('entryCSN')
delete_attribute('createTimestamp')
delete_attribute('creatorsName')
delete_attribute('hasSubordinates')
delete_attribute('pwdFailureTime')
delete_attribute('pwdChangedTime')
mod_list = tldap.modlist.addModlist(result)
_debug('revlist:', mod_list)
def x(obj):
obj.delete(dn)
def x(obj):
obj.add(dn, None, mod_list)
return self._process(on_commit, on_rollback)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn: str) ->None:\n _debug('delete', self)\n result = self._cache_get_for_dn(dn)\n\n def x(name):\n if name in result:\n del re... |
def x(self, dn: str, new_rdn: str, new_base_dn: Optional[str]=None) ->None:
_debug('rename', self, dn, new_rdn, new_base_dn)
split_dn = tldap.dn.str2dn(dn)
split_newrdn = tldap.dn.str2dn(new_rdn)
assert len(split_newrdn) == 1
rdn = tldap.dn.dn2str(split_dn[0:1])
tmplist = [split_newrdn[0]]
if new_base_dn is not None:
tmplist.extend(tldap.dn.str2dn(new_base_dn))
old_base_dn = tldap.dn.dn2str(split_dn[1:])
else:
tmplist.extend(split_dn[1:])
old_base_dn = None
newdn = tldap.dn.dn2str(tmplist)
_debug('--> commit ', self, dn, new_rdn, new_base_dn)
_debug('--> rollback', self, newdn, rdn, old_base_dn)
def x(obj):
obj.modify_dn(dn, new_rdn, new_superior=new_base_dn)
def x(obj):
obj.modify_dn(newdn, rdn, new_superior=old_base_dn)
return self._process(on_commit, on_rollback)
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dn: str, new_rdn: str, new_base_dn: Optional[str]=None) ->None:\n _debug('rename', self, dn, new_rdn, new_base_dn)\n split_dn = tldap.dn.str2dn(dn)... |
def x(self) ->None:
_debug('fail')
def x(_obj):
raise_testfailure('commit')
def x(_obj):
raise_testfailure('rollback')
return self._process(on_commit, on_rollback)
| fail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n _debug('fail')\n\n def x(_obj):\n raise_testfailure('commit')\n\n def x(_obj):\n raise_testfailure('rollback')\n retu... |
def x(start, stop, var, cond, loc={}):
locals().update(loc)
if start < stop:
for __ in range(start, stop):
locals()[var] = __
if eval(cond, globals(), locals()):
yield __
else:
for __ in range(start, stop, -1):
locals()[var] = __
if eval(cond, globals(), locals()):
yield __
| experimental_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, stop, var, cond, loc={}):\n locals().update(loc)\n if start < stop:\n for __ in range(start, stop):\n locals()[var] = __\n ... |
def x(line, search_result):
try:
return line.format(search_result.group('indented_for'),
search_result.group('var'), search_result.group('start'),
search_result.group('stop'), search_result.group('cond'))
except IndexError:
return line.format(search_result.group('indented_for'),
search_result.group('var'), search_result.group('start'),
search_result.group('stop'))
| create_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, search_result):\n try:\n return line.format(search_result.group('indented_for'),\n search_result.group('var'), search_result.group('... |
def x(self, attributes, hostName):
self['override'] = True
attrType = type(attributes)
if attrType is dict:
self['parameter_type'] = 'hash'
elif attrType is list:
self['parameter_type'] = 'array'
else:
self['parameter_type'] = 'string'
orv = self.getOverrideValueForHost(hostName)
if orv:
orv['value'] = attributes
return True
else:
return self.api.create('{}/{}/{}'.format(self.objName, self.key,
'override_values'), {'override_value': {'match': 'fqdn={}'.
format(hostName), 'value': attributes}})
| setOverrideValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attributes, hostName):\n self['override'] = True\n attrType = type(attributes)\n if attrType is dict:\n self['parameter_type'] = 'hash'\n... |
def x(self):
now_datetime = timezone.now()
current_month_days = monthrange(now_datetime.year, now_datetime.month)[1]
if self.interval == reminders_choices.INTERVAL_2_WEEKS:
interval_timedelta = datetime.timedelta(days=14)
elif self.interval == reminders_choices.INTERVAL_ONE_MONTH:
interval_timedelta = datetime.timedelta(days=current_month_days)
elif self.interval == reminders_choices.INTERVAL_THREE_MONTHS:
three_months = now_datetime + relativedelta(months=+3)
interval_timedelta = three_months - now_datetime
elif self.interval == reminders_choices.INTERVAL_SIX_MONTHS:
six_months = now_datetime + relativedelta(months=+6)
interval_timedelta = six_months - now_datetime
elif self.interval == reminders_choices.INTERVAL_ONE_YEAR:
one_year = now_datetime + relativedelta(years=+1)
interval_timedelta = one_year - now_datetime
return interval_timedelta
| get_interval_timedelta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n now_datetime = timezone.now()\n current_month_days = monthrange(now_datetime.year, now_datetime.month)[1]\n if self.interval == reminders_cho... |
async def awaitable_runner(runner: BaseRunner):
"""Execute a runner without blocking the event loop"""
runner_thread = CapturingThread(target=runner.run)
runner_thread.start()
delay = 0.0
while not runner_thread.join(timeout=0):
await asyncio.sleep(delay)
delay = min(delay + 0.1, 1.0)
| awaitable_runner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def awaitable_runner(runner: BaseRunner):\n \"\"\"Execute a runner without blocking the event loop\"\"\"\n runner_thread = CapturingThread(target=runner.... |
def x(root_runner: BaseRunner):
assert threading.current_thread() == threading.main_thread(
), 'only main thread can accept asyncio subprocesses'
if sys.platform == 'win32':
event_loop = asyncio.ProactorEventLoop()
asyncio.set_event_loop(event_loop)
else:
event_loop = asyncio.get_event_loop()
asyncio.get_child_watcher().attach_loop(event_loop)
event_loop.run_until_complete(awaitable_runner(root_runner))
| asyncio_main_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_runner: BaseRunner):\n assert threading.current_thread() == threading.main_thread(\n ), 'only main thread can accept asyncio subprocesses'\n ... |
def x(self):
self.update({'os_default_templates': SubDict(self.api, self.objName,
self.payloadObj, self.key, SubItemOsDefaultTemplate)})
self.update({'operatingsystems': SubDict(self.api, self.objName, self.
payloadObj, self.key, SubItemOperatingSystem)})
| 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({'os_default_templates': SubDict(self.api, self.objName,\n self.payloadObj, self.key, SubItemOsDefaultTemplate)})\n self.upda... |
def x(tries=10, delay=1, backoff=2, retry_exception=None):
assert tries > 0, 'tries must be 1 or greater'
catching_mode = bool(retry_exception)
def x(f):
@functools.wraps(f)
def x(*args, **kwargs):
mtries, mdelay = tries, delay
while mtries > 0:
time.sleep(mdelay)
mdelay *= backoff
try:
rv = f(*args, **kwargs)
if not catching_mode and rv:
return rv
except retry_exception:
pass
else:
if catching_mode:
return rv
mtries -= 1
if mtries is 0 and not catching_mode:
return False
if mtries is 0 and catching_mode:
return f(*args, **kwargs)
log.debug('{0} try, sleeping for {1} sec'.format(tries -
mtries, mdelay))
raise Exception('unreachable code')
return f_retry
return deco_retry
| retry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tries=10, delay=1, backoff=2, retry_exception=None):\n assert tries > 0, 'tries must be 1 or greater'\n catching_mode = bool(retry_exception)\n\n def ... |
def x(node):
from qubell.api.private.platform import Auth, QubellPlatform
from qubell.api.private.organization import Organization
from qubell.api.private.application import Application
from qubell.api.private.instance import Instance
from qubell.api.private.revision import Revision
from qubell.api.private.environment import Environment
from qubell.api.private.zone import Zone
from qubell.api.private.manifest import Manifest
exclusion_list = {Auth: ['cookies'], QubellPlatform: ['auth'],
Organization: ['auth', 'organizationId', 'zone'], Application: [
'auth', 'applicationId', 'organization'], Instance: ['auth',
'instanceId', 'application'], Manifest: ['name', 'content'],
Revision: ['auth', 'revisionId'], Environment: ['auth',
'environmentId', 'organization'], Zone: ['auth', 'zoneId',
'organization']}
def x(dumper, obj):
for x in exclusion_list.keys():
if isinstance(obj, x):
fields = obj.__dict__.copy()
for excl_item in exclusion_list[x]:
try:
fields.pop(excl_item)
except:
log.warn('No item %s in object %s' % (excl_item, x))
return dumper.represent_mapping('tag:yaml.org,2002:map', fields
)
return dumper.represent_mapping('tag:yaml.org,2002:map', obj.__dict__)
noalias_dumper = yaml.dumper.Dumper
noalias_dumper.ignore_aliases = lambda self, data: True
yaml.add_representer(unicode, lambda dumper, value: dumper.
represent_scalar(u'tag:yaml.org,2002:str', value))
yaml.add_multi_representer(object, obj_presenter)
serialized = yaml.dump(node, default_flow_style=False, Dumper=
noalias_dumper)
return serialized
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n from qubell.api.private.platform import Auth, QubellPlatform\n from qubell.api.private.organization import Organization\n from qubell.api.pri... |
def x(file):
env = yaml.load(open(file))
for org in env.get('organizations', []):
if not org.get('applications'):
org['applications'] = []
if org.get('starter-kit'):
kit_meta = get_starter_kit_meta(org.get('starter-kit'))
for meta_app in get_applications_from_metadata(kit_meta):
org['applications'].append(meta_app)
if org.get('meta'):
for meta_app in get_applications_from_metadata(org.get('meta')):
org['applications'].append(meta_app)
for app in org.get('applications', []):
if app.get('file'):
app['file'] = os.path.realpath(os.path.join(os.path.dirname
(file), app['file']))
return env
| load_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n env = yaml.load(open(file))\n for org in env.get('organizations', []):\n if not org.get('applications'):\n org['applications']... |
def x(env, path, value):
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
pathSet(env, path, value)
return True
| patch_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env, path, value):\n\n def x(dictionary, path):\n for item in path.split('/'):\n dictionary = dictionary[item]\n return dictionary\... |
def x(name):
kits = yaml.safe_load(requests.get(url=starter_kits_url).content)['kits']
kits_meta_url = [x['metaUrl'] for x in kits if x['name'] == name]
assert len(kits_meta_url) == 1, 'No component %s found in meta:\n %s' % (
name, kits)
meta = yaml.safe_load(requests.get(url=kits_meta_url[0]).content)[
'download_url']
return meta
| get_starter_kit_meta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n kits = yaml.safe_load(requests.get(url=starter_kits_url).content)['kits']\n kits_meta_url = [x['metaUrl'] for x in kits if x['name'] == name]\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.