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_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 = defau...
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_ac...
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...
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...
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=s...
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: desc...
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 Validatio...
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__....
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: f...
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 ') ...
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(), '...
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....
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...
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(...
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) ...
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_...
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[...
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...
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(...
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: ...
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) ...
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...
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: ...
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: ...
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(',') i...
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}' ....
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.w...
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...
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...
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'...
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 ...
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...
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...
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_plugi...
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, 'gfxBlackli...
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(...
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 = ...
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((toktyp...
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: a...
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 Runt...
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: ...
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_ro...
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: ...
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('subschemaS...
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]] i...
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] = __ ...
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...
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(h...
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: interv...
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...
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...
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....
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_...
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])) ...
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])....
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 ...