source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, app): if self.entry_point_group: eps = sorted(pkg_resources.iter_entry_points(self.entry_point_group ), key=attrgetter('name')) for ep in eps: app.logger.debug('Loading config for entry point {}'.format(ep)) app.config.from_object(ep.load())
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n if self.entry_point_group:\n eps = sorted(pkg_resources.iter_entry_points(self.entry_point_group\n ), key=attrgetter('name'))\n for ep in eps:\n app.logger.debug('Loading config for entry point {}'.format(ep))\n app.config.from_object(ep.load())\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(modelcomparisonfile, splitparams): df = pandas.read_csv(modelcomparisonfile, sep='|', skiprows=[1]).select( lambda x: 'Unnamed' not in x, axis=1) df.columns = df.columns.str.strip() for col in df.columns: if pandas.api.types.is_string_dtype(df[col]): df[col] = df[col].str.strip() paramsdict = {} if splitparams: for i, paramstr in df['ParamValues'].iteritems(): paramsdict[i] = dict(map(lambda tup: (tup[0], float(tup[1])), [ param.strip().split('=') for param in paramstr.split(',')])) params_df = pandas.DataFrame.from_dict(paramsdict, orient='index') params_df = params_df[sorted(params_df.columns)] df = df.join(params_df).drop('ParamValues', axis=1) return df
modelComparisonDataFrame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(modelcomparisonfile, splitparams):\n df = pandas.read_csv(modelcomparisonfile, sep='|', skiprows=[1]).select(\n lambda x: 'Unnamed' not in x, axis=1)\n df.columns = df.columns.str.strip()\n for col in df.columns:\n if pandas.api.types.is_string_dtype(df[col]):\n df[col] = df[col].str.strip()\n paramsdict = {}\n if splitparams:\n for i, paramstr in df['ParamValues'].iteritems():\n paramsdict[i] = dict(map(lambda tup: (tup[0], float(tup[1])), [\n param.strip().split('=') for param in paramstr.split(',')]))\n params_df = pandas.DataFrame.from_dict(paramsdict, orient='index')\n params_df = params_df[sorted(params_df.columns)]\n df = df.join(params_df).drop('ParamValues', axis=1)\n return df\n", "role": "user" }, { "content": "modelComparisonDataFrame", "role": "assistant" } ]
def x(pvals, fdr): num_tests = len(pvals) sorted_tests = sorted(pvals, key=lambda tup: tup[1]) max_rank = 0 pcutoff = None for rank, (label, p) in enumerate(sorted_tests): rank = rank + 1 bh_threshold = fdr * float(rank) / num_tests if p <= bh_threshold: assert rank > max_rank max_rank = rank pcutoff = bh_threshold if pcutoff == None: pcutoff = 1.0 / num_tests * fdr significantlabels = [] for rank, (label, p) in enumerate(sorted_tests): rank = rank + 1 if rank <= max_rank: assert p <= pcutoff significantlabels.append(label) return pcutoff, significantlabels
BenjaminiHochbergCorrection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pvals, fdr):\n num_tests = len(pvals)\n sorted_tests = sorted(pvals, key=lambda tup: tup[1])\n max_rank = 0\n pcutoff = None\n for rank, (label, p) in enumerate(sorted_tests):\n rank = rank + 1\n bh_threshold = fdr * float(rank) / num_tests\n if p <= bh_threshold:\n assert rank > max_rank\n max_rank = rank\n pcutoff = bh_threshold\n if pcutoff == None:\n pcutoff = 1.0 / num_tests * fdr\n significantlabels = []\n for rank, (label, p) in enumerate(sorted_tests):\n rank = rank + 1\n if rank <= max_rank:\n assert p <= pcutoff\n significantlabels.append(label)\n return pcutoff, significantlabels\n", "role": "user" }, { "content": "BenjaminiHochbergCorrection", "role": "assistant" } ]
def x(dict, skeys=None): RV = SP.concatenate([dict[key].flatten() for key in skeys]) return RV pass
param_dict_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dict, skeys=None):\n RV = SP.concatenate([dict[key].flatten() for key in skeys])\n return RV\n pass\n", "role": "user" }, { "content": "param_dict_to_list", "role": "assistant" } ]
def x(list, param_struct, skeys): RV = [] i0 = 0 for key in skeys: val = param_struct[key] shape = SP.array(val) np = shape.prod() i1 = i0 + np params = list[i0:i1].reshape(shape) RV.append((key, params)) i0 = i1 return dict(RV)
param_list_to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list, param_struct, skeys):\n RV = []\n i0 = 0\n for key in skeys:\n val = param_struct[key]\n shape = SP.array(val)\n np = shape.prod()\n i1 = i0 + np\n params = list[i0:i1].reshape(shape)\n RV.append((key, params))\n i0 = i1\n return dict(RV)\n", "role": "user" }, { "content": "param_list_to_dict", "role": "assistant" } ]
def x(f, fprime, x, *args, **kw_args): LG.debug('Checking gradient ...') import numpy as np eps = np.finfo(float).eps step = np.sqrt(eps) * x.min() h = step * np.sign(np.random.uniform(-1, 1, x.size)) f_ph = f(x + h, *args, **kw_args) f_mh = f(x - h, *args, **kw_args) numerical_gradient = (f_ph - f_mh) / (2 * h) analytical_gradient = fprime(x, *args, **kw_args) ratio = (f_ph - f_mh) / (2 * np.dot(h, analytical_gradient)) h = np.zeros_like(x) for i in range(len(x)): pdb.set_trace() h[i] = step f_ph = f(x + h, *args, **kw_args) f_mh = f(x - h, *args, **kw_args) numerical_gradient = (f_ph - f_mh) / (2 * step) analytical_gradient = fprime(x, *args, **kw_args)[i] ratio = (f_ph - f_mh) / (2 * step * analytical_gradient) h[i] = 0 LG.debug('[%d] numerical: %f, analytical: %f, ratio: %f' % (i, numerical_gradient, analytical_gradient, ratio))
checkgrad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, fprime, x, *args, **kw_args):\n LG.debug('Checking gradient ...')\n import numpy as np\n eps = np.finfo(float).eps\n step = np.sqrt(eps) * x.min()\n h = step * np.sign(np.random.uniform(-1, 1, x.size))\n f_ph = f(x + h, *args, **kw_args)\n f_mh = f(x - h, *args, **kw_args)\n numerical_gradient = (f_ph - f_mh) / (2 * h)\n analytical_gradient = fprime(x, *args, **kw_args)\n ratio = (f_ph - f_mh) / (2 * np.dot(h, analytical_gradient))\n h = np.zeros_like(x)\n for i in range(len(x)):\n pdb.set_trace()\n h[i] = step\n f_ph = f(x + h, *args, **kw_args)\n f_mh = f(x - h, *args, **kw_args)\n numerical_gradient = (f_ph - f_mh) / (2 * step)\n analytical_gradient = fprime(x, *args, **kw_args)[i]\n ratio = (f_ph - f_mh) / (2 * step * analytical_gradient)\n h[i] = 0\n LG.debug('[%d] numerical: %f, analytical: %f, ratio: %f' % (i,\n numerical_gradient, analytical_gradient, ratio))\n", "role": "user" }, { "content": "checkgrad", "role": "assistant" } ]
def x(gpr, Ifilter=None, bounds=None, opts={}, *args, **kw_args): if 'gradcheck' in opts: gradcheck = opts['gradcheck'] else: gradcheck = False if 'max_iter_opt' in opts: max_iter = opts['max_iter_opt'] else: max_iter = 5000 if 'pgtol' in opts: pgtol = opts['pgtol'] else: pgtol = 1e-10 params0 = gpr.getParams() def x(x): x_ = X0 x_[Ifilter_x] = x gpr.setParams(param_list_to_dict(x_, param_struct, skeys)) lml = gpr.LML() if SP.isnan(lml): lml = 1000000.0 lml_grad = gpr.LML_grad() lml_grad = param_dict_to_list(lml_grad, skeys) if (~SP.isfinite(lml_grad)).any(): idx = ~SP.isfinite(lml_grad) lml_grad[idx] = 1000000.0 return lml, lml_grad[Ifilter_x] skeys = SP.sort(list(params0.keys())) param_struct = dict([(name, params0[name].shape) for name in skeys]) X0 = param_dict_to_list(params0, skeys) if Ifilter is not None: Ifilter_x = SP.array(param_dict_to_list(Ifilter, skeys), dtype=bool) else: Ifilter_x = SP.ones(len(X0), dtype='bool') if bounds is not None: _b = [] for key in skeys: if key in list(bounds.keys()): _b.extend(bounds[key]) else: _b.extend([[-SP.inf, +SP.inf]] * params0[key].size) bounds = SP.array(_b) bounds = bounds[Ifilter_x] LG.info('Starting optimization ...') t = time.time() x = X0.copy()[Ifilter_x] RV = optimize(f, x, maxfun=int(max_iter), pgtol=pgtol, bounds=bounds, **kw_args) info = RV[2] conv = info['warnflag'] == 0 if gradcheck: err = OPT.check_grad(f, df, xopt) LG.info('check_grad (post): %.2f' % err) return conv, info
opt_hyper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gpr, Ifilter=None, bounds=None, opts={}, *args, **kw_args):\n if 'gradcheck' in opts:\n gradcheck = opts['gradcheck']\n else:\n gradcheck = False\n if 'max_iter_opt' in opts:\n max_iter = opts['max_iter_opt']\n else:\n max_iter = 5000\n if 'pgtol' in opts:\n pgtol = opts['pgtol']\n else:\n pgtol = 1e-10\n params0 = gpr.getParams()\n\n def x(x):\n x_ = X0\n x_[Ifilter_x] = x\n gpr.setParams(param_list_to_dict(x_, param_struct, skeys))\n lml = gpr.LML()\n if SP.isnan(lml):\n lml = 1000000.0\n lml_grad = gpr.LML_grad()\n lml_grad = param_dict_to_list(lml_grad, skeys)\n if (~SP.isfinite(lml_grad)).any():\n idx = ~SP.isfinite(lml_grad)\n lml_grad[idx] = 1000000.0\n return lml, lml_grad[Ifilter_x]\n skeys = SP.sort(list(params0.keys()))\n param_struct = dict([(name, params0[name].shape) for name in skeys])\n X0 = param_dict_to_list(params0, skeys)\n if Ifilter is not None:\n Ifilter_x = SP.array(param_dict_to_list(Ifilter, skeys), dtype=bool)\n else:\n Ifilter_x = SP.ones(len(X0), dtype='bool')\n if bounds is not None:\n _b = []\n for key in skeys:\n if key in list(bounds.keys()):\n _b.extend(bounds[key])\n else:\n _b.extend([[-SP.inf, +SP.inf]] * params0[key].size)\n bounds = SP.array(_b)\n bounds = bounds[Ifilter_x]\n LG.info('Starting optimization ...')\n t = time.time()\n x = X0.copy()[Ifilter_x]\n RV = optimize(f, x, maxfun=int(max_iter), pgtol=pgtol, bounds=bounds,\n **kw_args)\n info = RV[2]\n conv = info['warnflag'] == 0\n if gradcheck:\n err = OPT.check_grad(f, df, xopt)\n LG.info('check_grad (post): %.2f' % err)\n return conv, info\n", "role": "user" }, { "content": "opt_hyper", "role": "assistant" } ]
def x(self, bonds): order = [bond.xatom(self) for bond in bonds] return self._chirality(order)
chival
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bonds):\n order = [bond.xatom(self) for bond in bonds]\n return self._chirality(order)\n", "role": "user" }, { "content": "chival", "role": "assistant" } ]
def x(self, bondorder, rotation): rotation = [None, '@', '@@'][rotation % 2] if not bondorder: if len(self.oatoms) < 3 and self.explicit_hcount != 1: raise PinkyError( 'Need to have an explicit hydrogen when specifying chirality with less than three bonds' ) self._chirality = chirality.T(self.oatoms, rotation) return if len(bondorder) != len(self.bonds): raise AtomError('The order of all bonds must be specified') for bond in bondorder: if bond not in self.bonds: raise AtomError( 'Specified bonds to assign chirality are not attatched to atom' ) order = [bond.xatom(self) for bond in bonds] self._chirality = chirality.T(order, rotation)
setchival
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bondorder, rotation):\n rotation = [None, '@', '@@'][rotation % 2]\n if not bondorder:\n if len(self.oatoms) < 3 and self.explicit_hcount != 1:\n raise PinkyError(\n 'Need to have an explicit hydrogen when specifying chirality with less than three bonds'\n )\n self._chirality = chirality.T(self.oatoms, rotation)\n return\n if len(bondorder) != len(self.bonds):\n raise AtomError('The order of all bonds must be specified')\n for bond in bondorder:\n if bond not in self.bonds:\n raise AtomError(\n 'Specified bonds to assign chirality are not attatched to atom'\n )\n order = [bond.xatom(self) for bond in bonds]\n self._chirality = chirality.T(order, rotation)\n", "role": "user" }, { "content": "setchival", "role": "assistant" } ]
def x(self): symclasses = self.symclasses stableSort = map(None, symclasses, range(len(symclasses))) stableSort.sort() last = None x = -1 for order, i in stableSort: if order != last: x += 1 last = order symclasses[i] = x
rank
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n symclasses = self.symclasses\n stableSort = map(None, symclasses, range(len(symclasses)))\n stableSort.sort()\n last = None\n x = -1\n for order, i in stableSort:\n if order != last:\n x += 1\n last = order\n symclasses[i] = x\n", "role": "user" }, { "content": "rank", "role": "assistant" } ]
def x(self, oldsym, newsym): stableSort = map(None, oldsym, newsym, range(len(oldsym))) stableSort.sort() lastOld, lastNew = None, None x = -1 for old, new, index in stableSort: if old != lastOld: x += 1 lastOld = old lastNew = new elif new != lastNew: x += 1 lastNew = new newsym[index] = x
breakRankTies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, oldsym, newsym):\n stableSort = map(None, oldsym, newsym, range(len(oldsym)))\n stableSort.sort()\n lastOld, lastNew = None, None\n x = -1\n for old, new, index in stableSort:\n if old != lastOld:\n x += 1\n lastOld = old\n lastNew = new\n elif new != lastNew:\n x += 1\n lastNew = new\n newsym[index] = x\n", "role": "user" }, { "content": "breakRankTies", "role": "assistant" } ]
def x(self, symorders): _range = range(len(symorders)) stableSymorders = map(None, symorders, _range) stableSymorders.sort() lowest = None for index in _range: if stableSymorders[index][0] == lowest: return stableSymorders[index - 1][1] lowest = stableSymorders[index][0] return -1
findLowest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symorders):\n _range = range(len(symorders))\n stableSymorders = map(None, symorders, _range)\n stableSymorders.sort()\n lowest = None\n for index in _range:\n if stableSymorders[index][0] == lowest:\n return stableSymorders[index - 1][1]\n lowest = stableSymorders[index][0]\n return -1\n", "role": "user" }, { "content": "findLowest", "role": "assistant" } ]
def x(self, symclasses): get = primes.primes.get disambiguate = self.disambiguate breakRankTies = self.breakRankTies while 1: newSyms = map(get, symclasses) newSyms = disambiguate(newSyms) breakRankTies(symclasses, newSyms) if symclasses == newSyms: return newSyms symclasses = newSyms
findInvariant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symclasses):\n get = primes.primes.get\n disambiguate = self.disambiguate\n breakRankTies = self.breakRankTies\n while 1:\n newSyms = map(get, symclasses)\n newSyms = disambiguate(newSyms)\n breakRankTies(symclasses, newSyms)\n if symclasses == newSyms:\n return newSyms\n symclasses = newSyms\n", "role": "user" }, { "content": "findInvariant", "role": "assistant" } ]
def x(self): symorders = self.symorders[:] _range = range(len(symorders)) while 1: pos = self.findLowest(symorders) if pos == -1: self.symorders = symorders return for i in _range: symorders[i] = symorders[i] * 2 + 1 symorders[pos] = symorders[pos] - 1 symorders = self.findInvariant(symorders)
findInvariantPartitioning
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n symorders = self.symorders[:]\n _range = range(len(symorders))\n while 1:\n pos = self.findLowest(symorders)\n if pos == -1:\n self.symorders = symorders\n return\n for i in _range:\n symorders[i] = symorders[i] * 2 + 1\n symorders[pos] = symorders[pos] - 1\n symorders = self.findInvariant(symorders)\n", "role": "user" }, { "content": "findInvariantPartitioning", "role": "assistant" } ]
def x(self, method, target, args=None): self.refresh_oauth_credential() request = Request(auth_session=self.session, api_host=self.api_host, method=method, path=target, args=args) return request.execute()
api_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, target, args=None):\n self.refresh_oauth_credential()\n request = Request(auth_session=self.session, api_host=self.api_host,\n method=method, path=target, args=args)\n return request.execute()\n", "role": "user" }, { "content": "api_call", "role": "assistant" } ]
def x(self, latitude, longitude, ride_type=None): args = OrderedDict([('lat', latitude), ('lng', longitude), ('ride_type', ride_type)]) return self._api_call('GET', 'v1/ridetypes', args=args)
get_ride_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, latitude, longitude, ride_type=None):\n args = OrderedDict([('lat', latitude), ('lng', longitude), ('ride_type',\n ride_type)])\n return self._api_call('GET', 'v1/ridetypes', args=args)\n", "role": "user" }, { "content": "get_ride_types", "role": "assistant" } ]
def x(self, latitude, longitude, ride_type=None): args = OrderedDict([('lat', latitude), ('lng', longitude), ('ride_type', ride_type)]) return self._api_call('GET', 'v1/eta', args=args)
get_pickup_time_estimates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, latitude, longitude, ride_type=None):\n args = OrderedDict([('lat', latitude), ('lng', longitude), ('ride_type',\n ride_type)])\n return self._api_call('GET', 'v1/eta', args=args)\n", "role": "user" }, { "content": "get_pickup_time_estimates", "role": "assistant" } ]
def x(self, start_latitude, start_longitude, end_latitude=None, end_longitude=None, ride_type=None): args = OrderedDict([('start_lat', start_latitude), ('start_lng', start_longitude), ('end_lat', end_latitude), ('end_lng', end_longitude), ('ride_type', ride_type)]) return self._api_call('GET', 'v1/cost', args=args)
get_cost_estimates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_latitude, start_longitude, end_latitude=None,\n end_longitude=None, ride_type=None):\n args = OrderedDict([('start_lat', start_latitude), ('start_lng',\n start_longitude), ('end_lat', end_latitude), ('end_lng',\n end_longitude), ('ride_type', ride_type)])\n return self._api_call('GET', 'v1/cost', args=args)\n", "role": "user" }, { "content": "get_cost_estimates", "role": "assistant" } ]
def x(self, latitude, longitude): args = OrderedDict([('lat', latitude), ('lng', longitude)]) return self._api_call('GET', 'v1/drivers', args=args)
get_drivers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, latitude, longitude):\n args = OrderedDict([('lat', latitude), ('lng', longitude)])\n return self._api_call('GET', 'v1/drivers', args=args)\n", "role": "user" }, { "content": "get_drivers", "role": "assistant" } ]
def x(self, ride_type=None, start_latitude=None, start_longitude=None, start_address=None, end_latitude=None, end_longitude=None, end_address= None, primetime_confirmation_token=None): args = {'ride_type': ride_type, 'origin': {'lat': start_latitude, 'lng': start_longitude, 'address': start_address}, 'destination': {'lat': end_latitude, 'lng': end_longitude, 'address': end_address}, 'primetime_confirmation_token': primetime_confirmation_token} return self._api_call('POST', 'v1/rides', args=args)
request_ride
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ride_type=None, start_latitude=None, start_longitude=None,\n start_address=None, end_latitude=None, end_longitude=None, end_address=\n None, primetime_confirmation_token=None):\n args = {'ride_type': ride_type, 'origin': {'lat': start_latitude, 'lng':\n start_longitude, 'address': start_address}, 'destination': {'lat':\n end_latitude, 'lng': end_longitude, 'address': end_address},\n 'primetime_confirmation_token': primetime_confirmation_token}\n return self._api_call('POST', 'v1/rides', args=args)\n", "role": "user" }, { "content": "request_ride", "role": "assistant" } ]
def x(self, ride_id, cancel_confirmation_token=None): args = {'cancel_confirmation_token': cancel_confirmation_token} endpoint = 'v1/rides/{}/cancel'.format(ride_id) return self._api_call('POST', endpoint, args=args)
cancel_ride
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ride_id, cancel_confirmation_token=None):\n args = {'cancel_confirmation_token': cancel_confirmation_token}\n endpoint = 'v1/rides/{}/cancel'.format(ride_id)\n return self._api_call('POST', endpoint, args=args)\n", "role": "user" }, { "content": "cancel_ride", "role": "assistant" } ]
def x(self, ride_id, rating, tip_amount=None, tip_currency=None, feedback=None ): args = {'rating': rating, 'tip.amount': tip_amount, 'tip.currency': tip_currency, 'feedback': feedback} endpoint = 'v1/rides/{}/rating'.format(ride_id) return self._api_call('PUT', endpoint, args=args)
rate_tip_ride
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ride_id, rating, tip_amount=None, tip_currency=None, feedback=None\n ):\n args = {'rating': rating, 'tip.amount': tip_amount, 'tip.currency':\n tip_currency, 'feedback': feedback}\n endpoint = 'v1/rides/{}/rating'.format(ride_id)\n return self._api_call('PUT', endpoint, args=args)\n", "role": "user" }, { "content": "rate_tip_ride", "role": "assistant" } ]
def x(self, start_time, end_time, limit=None): args = {'start_time': start_time, 'end_time': end_time, 'limit': limit} return self._api_call('GET', 'v1/rides', args=args)
get_user_ride_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_time, end_time, limit=None):\n args = {'start_time': start_time, 'end_time': end_time, 'limit': limit}\n return self._api_call('GET', 'v1/rides', args=args)\n", "role": "user" }, { "content": "get_user_ride_history", "role": "assistant" } ]
def x(self): credential = self.session.oauth2credential if credential.is_stale(): refresh_session = refresh_access_token(credential) self.session = refresh_session
refresh_oauth_credential
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n credential = self.session.oauth2credential\n if credential.is_stale():\n refresh_session = refresh_access_token(credential)\n self.session = refresh_session\n", "role": "user" }, { "content": "refresh_oauth_credential", "role": "assistant" } ]
def x(self, cov): self.setParams(sp.log(sp.diagonal(cov)))
setCovariance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cov):\n self.setParams(sp.log(sp.diagonal(cov)))\n", "role": "user" }, { "content": "setCovariance", "role": "assistant" } ]
def x(self, cov): assert cov.shape[0] == self.dim, 'Dimension mismatch.' S, U = la.eigh(cov) U = U[:, ::-1] S = S[::-1] _X = U[:, :self.rank] * sp.sqrt(S[:self.rank]) self.X = _X
setCovariance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cov):\n assert cov.shape[0] == self.dim, 'Dimension mismatch.'\n S, U = la.eigh(cov)\n U = U[:, ::-1]\n S = S[::-1]\n _X = U[:, :self.rank] * sp.sqrt(S[:self.rank])\n self.X = _X\n", "role": "user" }, { "content": "setCovariance", "role": "assistant" } ]
def x(num_traj): domain = MountainCar() slopes = np.random.normal(0, 0.01, size=num_traj) v0s = np.random.normal(0, 0.005, size=num_traj) trajectories = [] traces = [] norm = np.array((domain.MAX_POS - domain.MIN_POS, domain.MAX_VEL - domain.MIN_VEL)) for m, b in zip(slopes, v0s): mcar_policy = lambda s: 0 if s[0] * m + s[1] + b > 0 else 2 start = np.random.uniform(domain.MIN_POS, domain.MAX_POS ), np.random.uniform(domain.MIN_VEL, domain.MAX_VEL) samples = _run_episode(mcar_policy, domain, start, max_iters=40) samples.state /= norm samples.next_state /= norm traces.append(samples) if samples.reward[-1] == 0: trajectories.append(samples.state[:-1]) else: trajectories.append(samples.state) return trajectories, traces
mountain_car_trajectories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num_traj):\n domain = MountainCar()\n slopes = np.random.normal(0, 0.01, size=num_traj)\n v0s = np.random.normal(0, 0.005, size=num_traj)\n trajectories = []\n traces = []\n norm = np.array((domain.MAX_POS - domain.MIN_POS, domain.MAX_VEL -\n domain.MIN_VEL))\n for m, b in zip(slopes, v0s):\n mcar_policy = lambda s: 0 if s[0] * m + s[1] + b > 0 else 2\n start = np.random.uniform(domain.MIN_POS, domain.MAX_POS\n ), np.random.uniform(domain.MIN_VEL, domain.MAX_VEL)\n samples = _run_episode(mcar_policy, domain, start, max_iters=40)\n samples.state /= norm\n samples.next_state /= norm\n traces.append(samples)\n if samples.reward[-1] == 0:\n trajectories.append(samples.state[:-1])\n else:\n trajectories.append(samples.state)\n return trajectories, traces\n", "role": "user" }, { "content": "mountain_car_trajectories", "role": "assistant" } ]
def x(context): lf = LoggerFactory(config_file='../features/resources/test_config.yaml') lf.initialize() ll = lf.get_instance('environment') ll.info('Logger initialized: {}'.format(lf.config)) ll.info('Initial test context: {}'.format(context))
before_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context):\n lf = LoggerFactory(config_file='../features/resources/test_config.yaml')\n lf.initialize()\n ll = lf.get_instance('environment')\n ll.info('Logger initialized: {}'.format(lf.config))\n ll.info('Initial test context: {}'.format(context))\n", "role": "user" }, { "content": "before_all", "role": "assistant" } ]
def x(text, _safe=re.compile('^[-._,+a-zA-Z0-9]+$')): if not text or _safe.match(text): return text squote = type(text)("'") return squote + text.replace(squote, type(text)("'\\''")) + squote
shell_escape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, _safe=re.compile('^[-._,+a-zA-Z0-9]+$')):\n if not text or _safe.match(text):\n return text\n squote = type(text)(\"'\")\n return squote + text.replace(squote, type(text)(\"'\\\\''\")) + squote\n", "role": "user" }, { "content": "shell_escape", "role": "assistant" } ]
def x(oracle, pattern): pattern_mat = np.zeros((len(pattern), oracle.n_states - 1)) for i, p in enumerate(pattern): length = p[1] for s in p[0]: pattern_mat[i][s - length:s - 1] = 1 return pattern_mat
get_pattern_mat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oracle, pattern):\n pattern_mat = np.zeros((len(pattern), oracle.n_states - 1))\n for i, p in enumerate(pattern):\n length = p[1]\n for s in p[0]:\n pattern_mat[i][s - length:s - 1] = 1\n return pattern_mat\n", "role": "user" }, { "content": "get_pattern_mat", "role": "assistant" } ]
def x(url): return parts.Bunch(image=parts.Bunch(animated='false', bandwidth=0, caption=None, views=0, deletehash=None, hash=None, name=(url.rsplit ('/', 1) + [url])[1], title=None, type='image/*', width=0, height=0, size=0, datetime=int(time.time()), id='xxxxxxx', link=url, account_id=0, account_url=None, ad_type=0, ad_url='', description= None, favorite=False, in_gallery=False, in_most_viral=False, is_ad= False, nsfw=None, section=None, tags=[], vote=None), links=parts. Bunch(delete_page=None, imgur_page=None, original=url, large_thumbnail=url, small_square=url))
fake_upload_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n return parts.Bunch(image=parts.Bunch(animated='false', bandwidth=0,\n caption=None, views=0, deletehash=None, hash=None, name=(url.rsplit\n ('/', 1) + [url])[1], title=None, type='image/*', width=0, height=0,\n size=0, datetime=int(time.time()), id='xxxxxxx', link=url,\n account_id=0, account_url=None, ad_type=0, ad_url='', description=\n None, favorite=False, in_gallery=False, in_most_viral=False, is_ad=\n False, nsfw=None, section=None, tags=[], vote=None), links=parts.\n Bunch(delete_page=None, imgur_page=None, original=url,\n large_thumbnail=url, small_square=url))\n", "role": "user" }, { "content": "fake_upload_from_url", "role": "assistant" } ]
def x(cache_dir, cache_key, uploader, *args, **kwargs): use_cache = True if 'use_cache' in kwargs: use_cache = kwargs['use_cache'] del kwargs['use_cache'] json_path = None if cache_dir: json_path = os.path.join(cache_dir, 'cached-img-%s.json' % cache_key) if use_cache and os.path.exists(json_path): LOG.info('Fetching %r from cache...' % (args,)) try: with closing(open(json_path, 'r')) as handle: img_data = json.load(handle) return parts.Bunch([(key, parts.Bunch(val)) for key, val in img_data.items()]) except (EnvironmentError, TypeError, ValueError) as exc: LOG.warn( "Problem reading cached data from '%s', ignoring cache... (%s)" % (json_path, exc)) LOG.info('Copying %r...' % (args,)) img_data = uploader(*args, **kwargs) if json_path: with closing(open(json_path, 'w')) as handle: json.dump(img_data, handle) return img_data
cache_image_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cache_dir, cache_key, uploader, *args, **kwargs):\n use_cache = True\n if 'use_cache' in kwargs:\n use_cache = kwargs['use_cache']\n del kwargs['use_cache']\n json_path = None\n if cache_dir:\n json_path = os.path.join(cache_dir, 'cached-img-%s.json' % cache_key)\n if use_cache and os.path.exists(json_path):\n LOG.info('Fetching %r from cache...' % (args,))\n try:\n with closing(open(json_path, 'r')) as handle:\n img_data = json.load(handle)\n return parts.Bunch([(key, parts.Bunch(val)) for key, val in\n img_data.items()])\n except (EnvironmentError, TypeError, ValueError) as exc:\n LOG.warn(\n \"Problem reading cached data from '%s', ignoring cache... (%s)\"\n % (json_path, exc))\n LOG.info('Copying %r...' % (args,))\n img_data = uploader(*args, **kwargs)\n if json_path:\n with closing(open(json_path, 'w')) as handle:\n json.dump(img_data, handle)\n return img_data\n", "role": "user" }, { "content": "cache_image_data", "role": "assistant" } ]
def x(url, cache_dir=None, use_cache=True): return cache_image_data(cache_dir, hashlib.sha1(url).hexdigest(), ImgurUploader().upload, url, use_cache=use_cache)
copy_image_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, cache_dir=None, use_cache=True):\n return cache_image_data(cache_dir, hashlib.sha1(url).hexdigest(),\n ImgurUploader().upload, url, use_cache=use_cache)\n", "role": "user" }, { "content": "copy_image_from_url", "role": "assistant" } ]
def x(): import pprint import tempfile try: image = sys.argv[1] except IndexError: print('Usage: python -m pyrobase.webservice.imgur <url>') else: try: pprint.pprint(copy_image_from_url(image, cache_dir=tempfile. gettempdir())) except UploadError as exc: print('Upload error. %s' % exc)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import pprint\n import tempfile\n try:\n image = sys.argv[1]\n except IndexError:\n print('Usage: python -m pyrobase.webservice.imgur <url>')\n else:\n try:\n pprint.pprint(copy_image_from_url(image, cache_dir=tempfile.\n gettempdir()))\n except UploadError as exc:\n print('Upload error. %s' % exc)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, image, name=None): assert self.client_id, 'imgur client ID is not set! Export the IMGUR_CLIENT_ID environment variable...' assert self.client_secret, 'imgur client secret is not set! Export the IMGUR_CLIENT_SECRET environment variable...' try: image_data = image + '' except (TypeError, ValueError): assert hasattr(image, 'read' ), 'Image is neither a string nor an open file handle' image_type = 'file' image_data = image image_repr = repr(image) else: if image.startswith('http:') or image.startswith('https:'): image_type = 'url' image_data = image image_repr = image elif all(ord(i) >= 32 for i in image) and os.path.exists(image): image_type = 'file' image_data = image image_repr = 'file:' + image else: image_type = 'base64' image_data = image_data.encode(image_type) image_repr = '<binary data>' client = ImgurClient(self.client_id, self.client_secret) result = (client.upload_from_url if image_type == 'url' else client. upload_from_path)(image_data) if result['link'].startswith('http:'): result['link'] = 'https:' + result['link'][5:] result['hash'] = result['id'] result['caption'] = result['description'] return parts.Bunch(image=parts.Bunch(result), links=parts.Bunch( delete_page=None, imgur_page=None, original=result['link'], large_thumbnail='{0}s.{1}'.format(*result['link'].rsplit('.', 1)), small_square='{0}l.{1}'.format(*result['link'].rsplit('.', 1))))
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, image, name=None):\n assert self.client_id, 'imgur client ID is not set! Export the IMGUR_CLIENT_ID environment variable...'\n assert self.client_secret, 'imgur client secret is not set! Export the IMGUR_CLIENT_SECRET environment variable...'\n try:\n image_data = image + ''\n except (TypeError, ValueError):\n assert hasattr(image, 'read'\n ), 'Image is neither a string nor an open file handle'\n image_type = 'file'\n image_data = image\n image_repr = repr(image)\n else:\n if image.startswith('http:') or image.startswith('https:'):\n image_type = 'url'\n image_data = image\n image_repr = image\n elif all(ord(i) >= 32 for i in image) and os.path.exists(image):\n image_type = 'file'\n image_data = image\n image_repr = 'file:' + image\n else:\n image_type = 'base64'\n image_data = image_data.encode(image_type)\n image_repr = '<binary data>'\n client = ImgurClient(self.client_id, self.client_secret)\n result = (client.upload_from_url if image_type == 'url' else client.\n upload_from_path)(image_data)\n if result['link'].startswith('http:'):\n result['link'] = 'https:' + result['link'][5:]\n result['hash'] = result['id']\n result['caption'] = result['description']\n return parts.Bunch(image=parts.Bunch(result), links=parts.Bunch(\n delete_page=None, imgur_page=None, original=result['link'],\n large_thumbnail='{0}s.{1}'.format(*result['link'].rsplit('.', 1)),\n small_square='{0}l.{1}'.format(*result['link'].rsplit('.', 1))))\n", "role": "user" }, { "content": "upload", "role": "assistant" } ]
def x(fmt, color_key='colors', ls_key='linestyles', marker_key='marker'): try: color = mcolors.colorConverter.to_rgb(fmt) except ValueError: pass else: if fmt not in mlines.lineMarkers: return {color_key: color} result = dict() if fmt.find('--') >= 0: result[ls_key] = '--' fmt = fmt.replace('--', '') if fmt.find('-.') >= 0: result[ls_key] = '-.' fmt = fmt.replace('-.', '') if fmt.find(' ') >= 0: result[ls_key] = 'None' fmt = fmt.replace(' ', '') for c in list(fmt): if c in mlines.lineStyles: if ls_key in result: raise ValueError('Illegal format string; two linestyle symbols' ) result[ls_key] = c elif c in mlines.lineMarkers: if marker_key in result: raise ValueError('Illegal format string; two marker symbols') result[marker_key] = c elif c in mcolors.colorConverter.colors: if color_key in result: raise ValueError('Illegal format string; two color symbols') result[color_key] = c else: raise ValueError('Unrecognized character %c in format string' % c) return result
parse_fmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fmt, color_key='colors', ls_key='linestyles', marker_key='marker'):\n try:\n color = mcolors.colorConverter.to_rgb(fmt)\n except ValueError:\n pass\n else:\n if fmt not in mlines.lineMarkers:\n return {color_key: color}\n result = dict()\n if fmt.find('--') >= 0:\n result[ls_key] = '--'\n fmt = fmt.replace('--', '')\n if fmt.find('-.') >= 0:\n result[ls_key] = '-.'\n fmt = fmt.replace('-.', '')\n if fmt.find(' ') >= 0:\n result[ls_key] = 'None'\n fmt = fmt.replace(' ', '')\n for c in list(fmt):\n if c in mlines.lineStyles:\n if ls_key in result:\n raise ValueError('Illegal format string; two linestyle symbols'\n )\n result[ls_key] = c\n elif c in mlines.lineMarkers:\n if marker_key in result:\n raise ValueError('Illegal format string; two marker symbols')\n result[marker_key] = c\n elif c in mcolors.colorConverter.colors:\n if color_key in result:\n raise ValueError('Illegal format string; two color symbols')\n result[color_key] = c\n else:\n raise ValueError('Unrecognized character %c in format string' % c)\n return result\n", "role": "user" }, { "content": "parse_fmt", "role": "assistant" } ]
def x(self, coordinates, directed=False, weighted=False, fig='current', ax= None, edge_style=None, vertex_style=None, title=None, cmap=None): X = np.atleast_2d(coordinates) assert 0 < X.shape[1] <= 3, 'too many dimensions to plot' if X.shape[1] == 1: X = np.column_stack((np.arange(X.shape[0]), X)) is_3d = X.shape[1] == 3 if ax is None: ax = _get_axis(is_3d, fig) edge_kwargs = dict(colors='k', linestyles='-', linewidths=1, zorder=1) vertex_kwargs = dict(marker='o', c='k', s=20, edgecolor='none', zorder=2) if edge_style is not None: if not isinstance(edge_style, dict): edge_style = _parse_fmt(edge_style, color_key='colors') edge_kwargs.update(edge_style) if vertex_style is not None: if not isinstance(vertex_style, dict): vertex_style = _parse_fmt(vertex_style, color_key='c') vertex_kwargs.update(vertex_style) if weighted and self.is_weighted(): edge_kwargs['array'] = self.edge_weights() if directed and self.is_directed(): _directed_edges(self, X, ax, is_3d, edge_kwargs, cmap) else: _undirected_edges(self, X, ax, is_3d, edge_kwargs, cmap) ax.scatter(*X.T, **vertex_kwargs) ax.autoscale_view() if title: ax.set_title(title) return pyplot.show
plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, coordinates, directed=False, weighted=False, fig='current', ax=\n None, edge_style=None, vertex_style=None, title=None, cmap=None):\n X = np.atleast_2d(coordinates)\n assert 0 < X.shape[1] <= 3, 'too many dimensions to plot'\n if X.shape[1] == 1:\n X = np.column_stack((np.arange(X.shape[0]), X))\n is_3d = X.shape[1] == 3\n if ax is None:\n ax = _get_axis(is_3d, fig)\n edge_kwargs = dict(colors='k', linestyles='-', linewidths=1, zorder=1)\n vertex_kwargs = dict(marker='o', c='k', s=20, edgecolor='none', zorder=2)\n if edge_style is not None:\n if not isinstance(edge_style, dict):\n edge_style = _parse_fmt(edge_style, color_key='colors')\n edge_kwargs.update(edge_style)\n if vertex_style is not None:\n if not isinstance(vertex_style, dict):\n vertex_style = _parse_fmt(vertex_style, color_key='c')\n vertex_kwargs.update(vertex_style)\n if weighted and self.is_weighted():\n edge_kwargs['array'] = self.edge_weights()\n if directed and self.is_directed():\n _directed_edges(self, X, ax, is_3d, edge_kwargs, cmap)\n else:\n _undirected_edges(self, X, ax, is_3d, edge_kwargs, cmap)\n ax.scatter(*X.T, **vertex_kwargs)\n ax.autoscale_view()\n if title:\n ax.set_title(title)\n return pyplot.show\n", "role": "user" }, { "content": "plot", "role": "assistant" } ]
def x(self, html_file, directed=False, weighted=False, vertex_ids=None, vertex_colors=None, vertex_labels=None, width=900, height=600, title= None, svg_border='1px solid black'): if directed: raise NotImplementedError('Directed graphs are NYI for HTML output.') if vertex_colors is not None and vertex_labels is not None: raise ValueError('Supply only one of vertex_colors, vertex_labels') if vertex_ids is None: vertex_ids = np.arange(self.num_vertices()) elif len(vertex_ids) != self.num_vertices(): raise ValueError('len(vertex_ids) != num vertices.') if vertex_labels is not None: vlabels, vcolors = np.unique(vertex_labels, return_inverse=True) if len(vcolors) != len(vertex_ids): raise ValueError('len(vertex_labels) != num vertices.') elif vertex_colors is not None: vcolors = np.array(vertex_colors, dtype=float, copy=False) if len(vcolors) != len(vertex_ids): raise ValueError('len(vertex_colors) != num vertices.') vcolors -= vcolors.min() vcolors /= vcolors.max() else: vcolors = [] node_json = [] for name, c in zip_longest(vertex_ids, vcolors): if c is not None: node_json.append('{"id": "%s", "color": %s}' % (name, c)) else: node_json.append('{"id": "%s"}' % name) pairs = self.pairs(directed=directed) if weighted: weights = self.edge_weights(directed=directed, copy=True).astype(float) weights -= weights.min() weights /= weights.max() else: weights = np.zeros(len(pairs)) + 0.5 edge_json = [] for (i, j), w in zip(pairs, weights): edge_json.append('{"source": "%s", "target": "%s", "weight": %f}' % (vertex_ids[i], vertex_ids[j], w)) if not hasattr(html_file, 'write'): fh = open(html_file, 'w') else: fh = html_file print(u'<!DOCTYPE html><meta charset="utf-8"><style>', file=fh) print(u'svg { border: %s; }' % svg_border, file=fh) if weighted: print(u'.links line { stroke-width: 2px; }', file=fh) else: print(u'.links line { stroke: #000; stroke-width: 2px; }', file=fh) print(u'.nodes circle { stroke: #fff; stroke-width: 1px; }', file=fh) print(u'</style>', file=fh) if title: print(u'<h1>%s</h1>' % title, file=fh) print(u'<svg width="%d" height="%d"></svg>' % (width, height), file=fh) print(u'<script src="https://d3js.org/d3.v4.min.js"></script>', file=fh) print(u'<script>', LAYOUT_JS, sep=u'\n', file=fh) if vertex_colors is not None: print(u'var vcolor=d3.scaleSequential(d3.interpolateViridis);', file=fh ) elif vertex_labels is not None: scale = 'd3.schemeCategory%d' % (10 if len(vlabels) <= 10 else 20) print(u'var vcolor = d3.scaleOrdinal(%s);' % scale, file=fh) else: print(u'function vcolor(){ return "#1776b6"; }', file=fh) print(u'var sim=layout_graph({"nodes": [%s], "links": [%s]});</script>' % (',\n'.join(node_json), ',\n'.join(edge_json)), file=fh) fh.flush()
to_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, html_file, directed=False, weighted=False, vertex_ids=None,\n vertex_colors=None, vertex_labels=None, width=900, height=600, title=\n None, svg_border='1px solid black'):\n if directed:\n raise NotImplementedError('Directed graphs are NYI for HTML output.')\n if vertex_colors is not None and vertex_labels is not None:\n raise ValueError('Supply only one of vertex_colors, vertex_labels')\n if vertex_ids is None:\n vertex_ids = np.arange(self.num_vertices())\n elif len(vertex_ids) != self.num_vertices():\n raise ValueError('len(vertex_ids) != num vertices.')\n if vertex_labels is not None:\n vlabels, vcolors = np.unique(vertex_labels, return_inverse=True)\n if len(vcolors) != len(vertex_ids):\n raise ValueError('len(vertex_labels) != num vertices.')\n elif vertex_colors is not None:\n vcolors = np.array(vertex_colors, dtype=float, copy=False)\n if len(vcolors) != len(vertex_ids):\n raise ValueError('len(vertex_colors) != num vertices.')\n vcolors -= vcolors.min()\n vcolors /= vcolors.max()\n else:\n vcolors = []\n node_json = []\n for name, c in zip_longest(vertex_ids, vcolors):\n if c is not None:\n node_json.append('{\"id\": \"%s\", \"color\": %s}' % (name, c))\n else:\n node_json.append('{\"id\": \"%s\"}' % name)\n pairs = self.pairs(directed=directed)\n if weighted:\n weights = self.edge_weights(directed=directed, copy=True).astype(float)\n weights -= weights.min()\n weights /= weights.max()\n else:\n weights = np.zeros(len(pairs)) + 0.5\n edge_json = []\n for (i, j), w in zip(pairs, weights):\n edge_json.append('{\"source\": \"%s\", \"target\": \"%s\", \"weight\": %f}' %\n (vertex_ids[i], vertex_ids[j], w))\n if not hasattr(html_file, 'write'):\n fh = open(html_file, 'w')\n else:\n fh = html_file\n print(u'<!DOCTYPE html><meta charset=\"utf-8\"><style>', file=fh)\n print(u'svg { border: %s; }' % svg_border, file=fh)\n if weighted:\n print(u'.links line { stroke-width: 2px; }', file=fh)\n else:\n print(u'.links line { stroke: #000; stroke-width: 2px; }', file=fh)\n print(u'.nodes circle { stroke: #fff; stroke-width: 1px; }', file=fh)\n print(u'</style>', file=fh)\n if title:\n print(u'<h1>%s</h1>' % title, file=fh)\n print(u'<svg width=\"%d\" height=\"%d\"></svg>' % (width, height), file=fh)\n print(u'<script src=\"https://d3js.org/d3.v4.min.js\"></script>', file=fh)\n print(u'<script>', LAYOUT_JS, sep=u'\\n', file=fh)\n if vertex_colors is not None:\n print(u'var vcolor=d3.scaleSequential(d3.interpolateViridis);', file=fh\n )\n elif vertex_labels is not None:\n scale = 'd3.schemeCategory%d' % (10 if len(vlabels) <= 10 else 20)\n print(u'var vcolor = d3.scaleOrdinal(%s);' % scale, file=fh)\n else:\n print(u'function vcolor(){ return \"#1776b6\"; }', file=fh)\n print(u'var sim=layout_graph({\"nodes\": [%s], \"links\": [%s]});</script>' %\n (',\\n'.join(node_json), ',\\n'.join(edge_json)), file=fh)\n fh.flush()\n", "role": "user" }, { "content": "to_html", "role": "assistant" } ]
def x(mapping_line, previous_source_column=0): if not mapping_line: return [], previous_source_column def x(segment): if len(segment) == 5: result = record[0], segment[1], segment[2], record[3], segment[4] else: result = record[0], segment[1], segment[2], record[3] record[:] = [0, 0, 0, 0] return result record = [0, 0, 0, previous_source_column] result = [] regen_next = True for segment in mapping_line: if not segment: continue record[0] += segment[0] if len(segment) == 1: if result and len(result[-1]) != 1: result.append((record[0],)) record[0] = 0 regen_next = True continue record[3] += segment[3] if len(segment) == 5 or regen_next or segment[1] or segment[2 ] or record[0] != record[3]: result.append(regenerate(segment)) regen_next = len(segment) == 5 return result, record[3]
normalize_mapping_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mapping_line, previous_source_column=0):\n if not mapping_line:\n return [], previous_source_column\n\n def x(segment):\n if len(segment) == 5:\n result = record[0], segment[1], segment[2], record[3], segment[4]\n else:\n result = record[0], segment[1], segment[2], record[3]\n record[:] = [0, 0, 0, 0]\n return result\n record = [0, 0, 0, previous_source_column]\n result = []\n regen_next = True\n for segment in mapping_line:\n if not segment:\n continue\n record[0] += segment[0]\n if len(segment) == 1:\n if result and len(result[-1]) != 1:\n result.append((record[0],))\n record[0] = 0\n regen_next = True\n continue\n record[3] += segment[3]\n if len(segment) == 5 or regen_next or segment[1] or segment[2\n ] or record[0] != record[3]:\n result.append(regenerate(segment))\n regen_next = len(segment) == 5\n return result, record[3]\n", "role": "user" }, { "content": "normalize_mapping_line", "role": "assistant" } ]
def x(stream_fragments, stream, normalize=True, book=None, sources=None, names=None, mappings=None): def x(): mappings.append([]) book.keeper._sink_column = 0 if names is None: names = Names() if sources is None: sources = Names() if book is None: book = default_book() if not isinstance(mappings, list): mappings = [] push_line() for chunk, lineno, colno, original_name, source in stream_fragments: lines = chunk.splitlines(True) for line in lines: stream.write(line) if lineno is None or colno is None: mappings[-1].append((book.keeper.sink_column,)) else: name_id = names.update(original_name) source_id = sources.update(source) or 0 if lineno: book.keeper.source_line = lineno source_line = book.keeper.source_line else: source_line = 0 if colno: book.keeper.source_column = colno else: book.keeper.source_column = (book.keeper._source_column + book.original_len) if original_name is not None: mappings[-1].append((book.keeper.sink_column, source_id, source_line, book.keeper.source_column, name_id)) else: mappings[-1].append((book.keeper.sink_column, source_id, source_line, book.keeper.source_column)) if line[-1:] in '\r\n': colno = colno if colno in (0, None) else colno + len(line. rstrip()) book.original_len = book.written_len = 0 push_line() if line is not lines[-1]: logger.warning( 'text in the generated document at line %d may be mapped incorrectly due to trailing newline character in provided text fragment.' , len(mappings)) logger.info( 'text in stream fragments should not have trailing characters after a new line, they should be split off into a separate fragment.' ) else: book.written_len = len(line) book.original_len = len(original_name ) if original_name else book.written_len book.keeper.sink_column = (book.keeper._sink_column + book. written_len) if normalize: mappings = normalize_mappings(mappings) list_sources = [(INVALID_SOURCE if s == NotImplemented else s) for s in sources] or [INVALID_SOURCE] return mappings, list_sources, list(names)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream_fragments, stream, normalize=True, book=None, sources=None,\n names=None, mappings=None):\n\n def x():\n mappings.append([])\n book.keeper._sink_column = 0\n if names is None:\n names = Names()\n if sources is None:\n sources = Names()\n if book is None:\n book = default_book()\n if not isinstance(mappings, list):\n mappings = []\n push_line()\n for chunk, lineno, colno, original_name, source in stream_fragments:\n lines = chunk.splitlines(True)\n for line in lines:\n stream.write(line)\n if lineno is None or colno is None:\n mappings[-1].append((book.keeper.sink_column,))\n else:\n name_id = names.update(original_name)\n source_id = sources.update(source) or 0\n if lineno:\n book.keeper.source_line = lineno\n source_line = book.keeper.source_line\n else:\n source_line = 0\n if colno:\n book.keeper.source_column = colno\n else:\n book.keeper.source_column = (book.keeper._source_column +\n book.original_len)\n if original_name is not None:\n mappings[-1].append((book.keeper.sink_column, source_id,\n source_line, book.keeper.source_column, name_id))\n else:\n mappings[-1].append((book.keeper.sink_column, source_id,\n source_line, book.keeper.source_column))\n if line[-1:] in '\\r\\n':\n colno = colno if colno in (0, None) else colno + len(line.\n rstrip())\n book.original_len = book.written_len = 0\n push_line()\n if line is not lines[-1]:\n logger.warning(\n 'text in the generated document at line %d may be mapped incorrectly due to trailing newline character in provided text fragment.'\n , len(mappings))\n logger.info(\n 'text in stream fragments should not have trailing characters after a new line, they should be split off into a separate fragment.'\n )\n else:\n book.written_len = len(line)\n book.original_len = len(original_name\n ) if original_name else book.written_len\n book.keeper.sink_column = (book.keeper._sink_column + book.\n written_len)\n if normalize:\n mappings = normalize_mappings(mappings)\n list_sources = [(INVALID_SOURCE if s == NotImplemented else s) for s in\n sources] or [INVALID_SOURCE]\n return mappings, list_sources, list(names)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(filename, mappings, sources, names=[]): return {'version': 3, 'sources': sources, 'names': names, 'mappings': encode_mappings(mappings), 'file': filename}
encode_sourcemap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, mappings, sources, names=[]):\n return {'version': 3, 'sources': sources, 'names': names, 'mappings':\n encode_mappings(mappings), 'file': filename}\n", "role": "user" }, { "content": "encode_sourcemap", "role": "assistant" } ]
def x(mappings, sources, names, output_stream, sourcemap_stream, normalize_paths=True, source_mapping_url=NotImplemented): encode_sourcemap_args, output_js_map = verify_write_sourcemap_args(mappings , sources, names, output_stream, sourcemap_stream, normalize_paths) encoded_sourcemap = json.dumps(encode_sourcemap(*encode_sourcemap_args), sort_keys=True, ensure_ascii=False) if sourcemap_stream is output_stream: encoding = getattr(output_stream, 'encoding', None) or default_encoding output_stream.writelines([ '\n//# sourceMappingURL=data:application/json;base64;charset=', encoding, ',', base64.b64encode(encoded_sourcemap.encode( encoding)).decode('ascii')]) else: if source_mapping_url is not None: output_stream.writelines(['\n//# sourceMappingURL=', output_js_map if source_mapping_url is NotImplemented else source_mapping_url, '\n']) sourcemap_stream.write(encoded_sourcemap)
write_sourcemap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mappings, sources, names, output_stream, sourcemap_stream,\n normalize_paths=True, source_mapping_url=NotImplemented):\n encode_sourcemap_args, output_js_map = verify_write_sourcemap_args(mappings\n , sources, names, output_stream, sourcemap_stream, normalize_paths)\n encoded_sourcemap = json.dumps(encode_sourcemap(*encode_sourcemap_args),\n sort_keys=True, ensure_ascii=False)\n if sourcemap_stream is output_stream:\n encoding = getattr(output_stream, 'encoding', None) or default_encoding\n output_stream.writelines([\n '\\n//# sourceMappingURL=data:application/json;base64;charset=',\n encoding, ',', base64.b64encode(encoded_sourcemap.encode(\n encoding)).decode('ascii')])\n else:\n if source_mapping_url is not None:\n output_stream.writelines(['\\n//# sourceMappingURL=', \n output_js_map if source_mapping_url is NotImplemented else\n source_mapping_url, '\\n'])\n sourcemap_stream.write(encoded_sourcemap)\n", "role": "user" }, { "content": "write_sourcemap", "role": "assistant" } ]
def x(self, name): if name is None: return if name not in self._names: self._names[name] = len(self._names) result = self._names[name] - self._current self._current = self._names[name] return result
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if name is None:\n return\n if name not in self._names:\n self._names[name] = len(self._names)\n result = self._names[name] - self._current\n self._current = self._names[name]\n return result\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(s): if unicode and isinstance(s, unicode): return repr(s)[1:] else: return repr(s)
repr_compat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if unicode and isinstance(s, unicode):\n return repr(s)[1:]\n else:\n return repr(s)\n", "role": "user" }, { "content": "repr_compat", "role": "assistant" } ]
def x(name): package_name, module_name = name.rsplit('.', 1) version = ply_dist.version.replace('.', '_' ) if ply_dist is not None else 'unknown' data = package_name, module_name, py_major, version lextab = '%s.lextab_%s_py%d_ply%s' % data yacctab = '%s.yacctab_%s_py%d_ply%s' % data return lextab, yacctab
generate_tab_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n package_name, module_name = name.rsplit('.', 1)\n version = ply_dist.version.replace('.', '_'\n ) if ply_dist is not None else 'unknown'\n data = package_name, module_name, py_major, version\n lextab = '%s.lextab_%s_py%d_ply%s' % data\n yacctab = '%s.yacctab_%s_py%d_ply%s' % data\n return lextab, yacctab\n", "role": "user" }, { "content": "generate_tab_names", "role": "assistant" } ]
def x(base, target): if not all(map(isabs, [base, target])): return target return relpath(normpath(target), dirname(normpath(base)))
normrelpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(base, target):\n if not all(map(isabs, [base, target])):\n return target\n return relpath(normpath(target), dirname(normpath(base)))\n", "role": "user" }, { "content": "normrelpath", "role": "assistant" } ]
def x(G, order): adj = G.matrix('dense') adj = adj[np.ix_(order, order)] return Graph.from_adj_matrix(adj)
permute_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(G, order):\n adj = G.matrix('dense')\n adj = adj[np.ix_(order, order)]\n return Graph.from_adj_matrix(adj)\n", "role": "user" }, { "content": "permute_graph", "role": "assistant" } ]
def x(G): L = G.laplacian() vals, vecs = np.linalg.eigh(L) min_positive_idx = np.argmax(vals == vals[vals > 0].min()) vec = vecs[:, min_positive_idx] return permute_graph(G, np.argsort(vec))
laplacian_reordering
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(G):\n L = G.laplacian()\n vals, vecs = np.linalg.eigh(L)\n min_positive_idx = np.argmax(vals == vals[vals > 0].min())\n vec = vecs[:, min_positive_idx]\n return permute_graph(G, np.argsort(vec))\n", "role": "user" }, { "content": "laplacian_reordering", "role": "assistant" } ]
def x(G, relax=1, num_centerings=20, verbose=False): order = _breadth_first_order(G) for it in range(num_centerings): B = permute_graph(G, order).bandwidth() nc_order = _node_center(G, order, relax=relax) nc_B = permute_graph(G, nc_order).bandwidth() if nc_B < B: if verbose: print('post-center', B, nc_B) order = nc_order order = _hill_climbing(G, order, verbose=verbose) return permute_graph(G, order)
node_centroid_hill_climbing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(G, relax=1, num_centerings=20, verbose=False):\n order = _breadth_first_order(G)\n for it in range(num_centerings):\n B = permute_graph(G, order).bandwidth()\n nc_order = _node_center(G, order, relax=relax)\n nc_B = permute_graph(G, nc_order).bandwidth()\n if nc_B < B:\n if verbose:\n print('post-center', B, nc_B)\n order = nc_order\n order = _hill_climbing(G, order, verbose=verbose)\n return permute_graph(G, order)\n", "role": "user" }, { "content": "node_centroid_hill_climbing", "role": "assistant" } ]
def x(self, tb, column, attrs): if column.nullable: attrs['minOccurs'] = str(0) attrs['nillable'] = 'true' for cls, xsd_type in six.iteritems(self.SIMPLE_XSD_TYPES): if isinstance(column.type, cls): attrs['type'] = xsd_type with tag(tb, 'xsd:element', attrs) as tb: self.element_callback(tb, column) return tb if isinstance(column.type, Geometry): geometry_type = column.type.geometry_type xsd_type = self.SIMPLE_GEOMETRY_XSD_TYPES[geometry_type] attrs['type'] = xsd_type with tag(tb, 'xsd:element', attrs) as tb: self.element_callback(tb, column) return tb if isinstance(column.type, sqlalchemy.Enum): with tag(tb, 'xsd:element', attrs) as tb: with tag(tb, 'xsd:simpleType') as tb: with tag(tb, 'xsd:restriction', {'base': 'xsd:string'}) as tb: for enum in column.type.enums: with tag(tb, 'xsd:enumeration', {'value': enum}): pass self.element_callback(tb, column) return tb if isinstance(column.type, sqlalchemy.Numeric): if column.type.scale is None and column.type.precision is None: attrs['type'] = 'xsd:decimal' with tag(tb, 'xsd:element', attrs) as tb: self.element_callback(tb, column) return tb else: with tag(tb, 'xsd:element', attrs) as tb: with tag(tb, 'xsd:simpleType') as tb: with tag(tb, 'xsd:restriction', {'base': 'xsd:decimal'} ) as tb: if column.type.scale is not None: with tag(tb, 'xsd:fractionDigits', {'value': str(column.type.scale)}) as tb: pass if column.type.precision is not None: precision = column.type.precision with tag(tb, 'xsd:totalDigits', {'value': str( precision)}) as tb: pass self.element_callback(tb, column) return tb if isinstance(column.type, sqlalchemy.String) or isinstance(column.type, sqlalchemy.Text) or isinstance(column.type, sqlalchemy.Unicode ) or isinstance(column.type, sqlalchemy.UnicodeText): if column.type.length is None: attrs['type'] = 'xsd:string' with tag(tb, 'xsd:element', attrs) as tb: self.element_callback(tb, column) return tb else: with tag(tb, 'xsd:element', attrs) as tb: with tag(tb, 'xsd:simpleType') as tb: with tag(tb, 'xsd:restriction', {'base': 'xsd:string'} ) as tb: with tag(tb, 'xsd:maxLength', {'value': str(column. type.length)}): pass self.element_callback(tb, column) return tb raise UnsupportedColumnTypeError(column.type)
add_column_xsd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tb, column, attrs):\n if column.nullable:\n attrs['minOccurs'] = str(0)\n attrs['nillable'] = 'true'\n for cls, xsd_type in six.iteritems(self.SIMPLE_XSD_TYPES):\n if isinstance(column.type, cls):\n attrs['type'] = xsd_type\n with tag(tb, 'xsd:element', attrs) as tb:\n self.element_callback(tb, column)\n return tb\n if isinstance(column.type, Geometry):\n geometry_type = column.type.geometry_type\n xsd_type = self.SIMPLE_GEOMETRY_XSD_TYPES[geometry_type]\n attrs['type'] = xsd_type\n with tag(tb, 'xsd:element', attrs) as tb:\n self.element_callback(tb, column)\n return tb\n if isinstance(column.type, sqlalchemy.Enum):\n with tag(tb, 'xsd:element', attrs) as tb:\n with tag(tb, 'xsd:simpleType') as tb:\n with tag(tb, 'xsd:restriction', {'base': 'xsd:string'}) as tb:\n for enum in column.type.enums:\n with tag(tb, 'xsd:enumeration', {'value': enum}):\n pass\n self.element_callback(tb, column)\n return tb\n if isinstance(column.type, sqlalchemy.Numeric):\n if column.type.scale is None and column.type.precision is None:\n attrs['type'] = 'xsd:decimal'\n with tag(tb, 'xsd:element', attrs) as tb:\n self.element_callback(tb, column)\n return tb\n else:\n with tag(tb, 'xsd:element', attrs) as tb:\n with tag(tb, 'xsd:simpleType') as tb:\n with tag(tb, 'xsd:restriction', {'base': 'xsd:decimal'}\n ) as tb:\n if column.type.scale is not None:\n with tag(tb, 'xsd:fractionDigits', {'value':\n str(column.type.scale)}) as tb:\n pass\n if column.type.precision is not None:\n precision = column.type.precision\n with tag(tb, 'xsd:totalDigits', {'value': str(\n precision)}) as tb:\n pass\n self.element_callback(tb, column)\n return tb\n if isinstance(column.type, sqlalchemy.String) or isinstance(column.type,\n sqlalchemy.Text) or isinstance(column.type, sqlalchemy.Unicode\n ) or isinstance(column.type, sqlalchemy.UnicodeText):\n if column.type.length is None:\n attrs['type'] = 'xsd:string'\n with tag(tb, 'xsd:element', attrs) as tb:\n self.element_callback(tb, column)\n return tb\n else:\n with tag(tb, 'xsd:element', attrs) as tb:\n with tag(tb, 'xsd:simpleType') as tb:\n with tag(tb, 'xsd:restriction', {'base': 'xsd:string'}\n ) as tb:\n with tag(tb, 'xsd:maxLength', {'value': str(column.\n type.length)}):\n pass\n self.element_callback(tb, column)\n return tb\n raise UnsupportedColumnTypeError(column.type)\n", "role": "user" }, { "content": "add_column_xsd", "role": "assistant" } ]
def x(self, tb, column_property): if len(column_property.columns) != 1: raise NotImplementedError column = column_property.columns[0] if column.primary_key and not self.include_primary_keys: return if column.foreign_keys and not self.include_foreign_keys: if len(column.foreign_keys) != 1: raise NotImplementedError() return attrs = {'name': column_property.key} self.add_column_xsd(tb, column, attrs)
add_column_property_xsd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tb, column_property):\n if len(column_property.columns) != 1:\n raise NotImplementedError\n column = column_property.columns[0]\n if column.primary_key and not self.include_primary_keys:\n return\n if column.foreign_keys and not self.include_foreign_keys:\n if len(column.foreign_keys) != 1:\n raise NotImplementedError()\n return\n attrs = {'name': column_property.key}\n self.add_column_xsd(tb, column, attrs)\n", "role": "user" }, { "content": "add_column_property_xsd", "role": "assistant" } ]
def x(self, tb, cls): for p in class_mapper(cls).iterate_properties: if isinstance(p, ColumnProperty): self.add_column_property_xsd(tb, p) if self.sequence_callback: self.sequence_callback(tb, cls)
add_class_properties_xsd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tb, cls):\n for p in class_mapper(cls).iterate_properties:\n if isinstance(p, ColumnProperty):\n self.add_column_property_xsd(tb, p)\n if self.sequence_callback:\n self.sequence_callback(tb, cls)\n", "role": "user" }, { "content": "add_class_properties_xsd", "role": "assistant" } ]
def x(self, io, cls): attrs = {} attrs['xmlns:gml'] = 'http://www.opengis.net/gml' attrs['xmlns:xsd'] = 'http://www.w3.org/2001/XMLSchema' tb = TreeBuilder() with tag(tb, 'xsd:schema', attrs) as tb: with tag(tb, 'xsd:complexType', {'name': cls.__name__}) as tb: with tag(tb, 'xsd:complexContent') as tb: with tag(tb, 'xsd:extension', {'base': 'gml:AbstractFeatureType'}) as tb: with tag(tb, 'xsd:sequence') as tb: self.add_class_properties_xsd(tb, cls) ElementTree(tb.close()).write(io, encoding='utf-8') return io
get_class_xsd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io, cls):\n attrs = {}\n attrs['xmlns:gml'] = 'http://www.opengis.net/gml'\n attrs['xmlns:xsd'] = 'http://www.w3.org/2001/XMLSchema'\n tb = TreeBuilder()\n with tag(tb, 'xsd:schema', attrs) as tb:\n with tag(tb, 'xsd:complexType', {'name': cls.__name__}) as tb:\n with tag(tb, 'xsd:complexContent') as tb:\n with tag(tb, 'xsd:extension', {'base':\n 'gml:AbstractFeatureType'}) as tb:\n with tag(tb, 'xsd:sequence') as tb:\n self.add_class_properties_xsd(tb, cls)\n ElementTree(tb.close()).write(io, encoding='utf-8')\n return io\n", "role": "user" }, { "content": "get_class_xsd", "role": "assistant" } ]
def x(url= 'https://github.com/OpenExoplanetCatalogue/oec_gzip/raw/master/systems.xml.gz' ): catalogue = gzip.GzipFile(fileobj=io.BytesIO(requests.get(url).content)) database = OECDatabase(catalogue, stream=True) return database
load_db_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url=\n 'https://github.com/OpenExoplanetCatalogue/oec_gzip/raw/master/systems.xml.gz'\n ):\n catalogue = gzip.GzipFile(fileobj=io.BytesIO(requests.get(url).content))\n database = OECDatabase(catalogue, stream=True)\n return database\n", "role": "user" }, { "content": "load_db_from_url", "role": "assistant" } ]
def x(self, name): searchName = compactString(name) returnDict = {} for altname, planetObj in self._planetSearchDict.iteritems(): if re.search(searchName, altname): returnDict[planetObj.name] = planetObj if returnDict: if len(returnDict) == 1: return returnDict.values()[0] else: return returnDict.values() else: return False
searchPlanet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n searchName = compactString(name)\n returnDict = {}\n for altname, planetObj in self._planetSearchDict.iteritems():\n if re.search(searchName, altname):\n returnDict[planetObj.name] = planetObj\n if returnDict:\n if len(returnDict) == 1:\n return returnDict.values()[0]\n else:\n return returnDict.values()\n else:\n return False\n", "role": "user" }, { "content": "searchPlanet", "role": "assistant" } ]
def x(self): transitingPlanets = [] for planet in self.planets: try: if planet.isTransiting: transitingPlanets.append(planet) except KeyError: pass return transitingPlanets
transitingPlanets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n transitingPlanets = []\n for planet in self.planets:\n try:\n if planet.isTransiting:\n transitingPlanets.append(planet)\n except KeyError:\n pass\n return transitingPlanets\n", "role": "user" }, { "content": "transitingPlanets", "role": "assistant" } ]
def x(self): planetNameDict = {} for planet in self.planets: name = planet.name altnames = planet.params['altnames'] altnames.append(name) for altname in altnames: reducedname = compactString(altname) planetNameDict[reducedname] = planet return planetNameDict
generatePlanetSearchDict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n planetNameDict = {}\n for planet in self.planets:\n name = planet.name\n altnames = planet.params['altnames']\n altnames.append(name)\n for altname in altnames:\n reducedname = compactString(altname)\n planetNameDict[reducedname] = planet\n return planetNameDict\n", "role": "user" }, { "content": "generatePlanetSearchDict", "role": "assistant" } ]
def x(self, databaseLocation, stream=False): self.systems = [] self.binaries = [] self.stars = [] self.planets = [] if stream: tree = ET.parse(databaseLocation) for system in tree.findall('.//system'): self._loadSystem(system) else: databaseXML = glob.glob(os.path.join(databaseLocation, '*.xml')) if not len(databaseXML): raise LoadDataBaseError( 'could not find the database xml files. Have you given the correct location to the open exoplanet catalogues /systems folder?' ) for filename in databaseXML: try: with open(filename, 'r') as f: tree = ET.parse(f) except ET.ParseError as e: raise LoadDataBaseError(e) root = tree.getroot() if not root.tag == 'system': raise LoadDataBaseError( 'file {0} does not contain a valid system - could be an error with your version of the catalogue' .format(filename)) self._loadSystem(root)
loadDatabase
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, databaseLocation, stream=False):\n self.systems = []\n self.binaries = []\n self.stars = []\n self.planets = []\n if stream:\n tree = ET.parse(databaseLocation)\n for system in tree.findall('.//system'):\n self._loadSystem(system)\n else:\n databaseXML = glob.glob(os.path.join(databaseLocation, '*.xml'))\n if not len(databaseXML):\n raise LoadDataBaseError(\n 'could not find the database xml files. Have you given the correct location to the open exoplanet catalogues /systems folder?'\n )\n for filename in databaseXML:\n try:\n with open(filename, 'r') as f:\n tree = ET.parse(f)\n except ET.ParseError as e:\n raise LoadDataBaseError(e)\n root = tree.getroot()\n if not root.tag == 'system':\n raise LoadDataBaseError(\n 'file {0} does not contain a valid system - could be an error with your version of the catalogue'\n .format(filename))\n self._loadSystem(root)\n", "role": "user" }, { "content": "loadDatabase", "role": "assistant" } ]
def x(self, model_instance): queryset = model_instance.__class__._default_manager.all() lookup = {('%s__regex' % self.attname): '^.{%s}$' % self.length} if queryset.filter(**lookup).count() >= len(self.chars) ** self.length: raise FieldError('No available slugs remaining.') slug = get_random_string(self.length, self.chars) if model_instance.pk: queryset = queryset.exclude(pk=model_instance.pk) kwargs = {} for params in model_instance._meta.unique_together: if self.attname in params: for param in params: kwargs[param] = getattr(model_instance, param, None) kwargs[self.attname] = slug while queryset.filter(**kwargs): slug = get_random_string(self.length, self.chars) kwargs[self.attname] = slug return slug
generate_slug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_instance):\n queryset = model_instance.__class__._default_manager.all()\n lookup = {('%s__regex' % self.attname): '^.{%s}$' % self.length}\n if queryset.filter(**lookup).count() >= len(self.chars) ** self.length:\n raise FieldError('No available slugs remaining.')\n slug = get_random_string(self.length, self.chars)\n if model_instance.pk:\n queryset = queryset.exclude(pk=model_instance.pk)\n kwargs = {}\n for params in model_instance._meta.unique_together:\n if self.attname in params:\n for param in params:\n kwargs[param] = getattr(model_instance, param, None)\n kwargs[self.attname] = slug\n while queryset.filter(**kwargs):\n slug = get_random_string(self.length, self.chars)\n kwargs[self.attname] = slug\n return slug\n", "role": "user" }, { "content": "generate_slug", "role": "assistant" } ]
def x(self): from south.modelsinspector import introspector field_class = '%s.%s' % (self.__module__, self.__class__.__name__) args, kwargs = introspector(self) kwargs.update({'length': repr(self.length), 'exclude_upper': repr(self. exclude_upper), 'exclude_lower': repr(self.exclude_lower), 'exclude_digits': repr(self.exclude_digits), 'exclude_vowels': repr (self.exclude_vowels)}) return field_class, args, kwargs
south_field_triple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from south.modelsinspector import introspector\n field_class = '%s.%s' % (self.__module__, self.__class__.__name__)\n args, kwargs = introspector(self)\n kwargs.update({'length': repr(self.length), 'exclude_upper': repr(self.\n exclude_upper), 'exclude_lower': repr(self.exclude_lower),\n 'exclude_digits': repr(self.exclude_digits), 'exclude_vowels': repr\n (self.exclude_vowels)})\n return field_class, args, kwargs\n", "role": "user" }, { "content": "south_field_triple", "role": "assistant" } ]
def x(cls, session, record, endpoint_override=None, out_type=None, **add_params ): cls._check_implements('create') data = record.to_api() params = {'reload': True} params.update(**add_params) data.update(params) return cls(endpoint_override or '/%s.json' % cls.__endpoint__, data= data, request_type=RequestPaginator.POST, singleton=True, session= session, out_type=out_type)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, record, endpoint_override=None, out_type=None, **add_params\n ):\n cls._check_implements('create')\n data = record.to_api()\n params = {'reload': True}\n params.update(**add_params)\n data.update(params)\n return cls(endpoint_override or '/%s.json' % cls.__endpoint__, data=\n data, request_type=RequestPaginator.POST, singleton=True, session=\n session, out_type=out_type)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(cls, session, record, endpoint_override=None, out_type=None): cls._check_implements('delete') return cls(endpoint_override or '/%s/%s.json' % (cls.__endpoint__, record.id), request_type=RequestPaginator.DELETE, singleton=True, session=session, out_type=out_type)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, record, endpoint_override=None, out_type=None):\n cls._check_implements('delete')\n return cls(endpoint_override or '/%s/%s.json' % (cls.__endpoint__,\n record.id), request_type=RequestPaginator.DELETE, singleton=True,\n session=session, out_type=out_type)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(cls, session, record_id, endpoint_override=None): cls._check_implements('get') try: return cls(endpoint_override or '/%s/%d.json' % (cls.__endpoint__, record_id), singleton=True, session=session) except HelpScoutRemoteException as e: if e.status_code == 404: return None else: raise
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, record_id, endpoint_override=None):\n cls._check_implements('get')\n try:\n return cls(endpoint_override or '/%s/%d.json' % (cls.__endpoint__,\n record_id), singleton=True, session=session)\n except HelpScoutRemoteException as e:\n if e.status_code == 404:\n return None\n else:\n raise\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(cls, session, endpoint_override=None, data=None): cls._check_implements('list') return cls(endpoint_override or '/%s.json' % cls.__endpoint__, data= data, session=session)
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, endpoint_override=None, data=None):\n cls._check_implements('list')\n return cls(endpoint_override or '/%s.json' % cls.__endpoint__, data=\n data, session=session)\n", "role": "user" }, { "content": "list", "role": "assistant" } ]
def x(cls, session, queries, out_type): cls._check_implements('search') domain = cls.get_search_domain(queries) return cls('/search/%s.json' % cls.__endpoint__, data={'query': str( domain)}, session=session, out_type=out_type)
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, queries, out_type):\n cls._check_implements('search')\n domain = cls.get_search_domain(queries)\n return cls('/search/%s.json' % cls.__endpoint__, data={'query': str(\n domain)}, session=session, out_type=out_type)\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(cls, session, record): cls._check_implements('update') data = record.to_api() del data['id'] data['reload'] = True return cls('/%s/%s.json' % (cls.__endpoint__, record.id), data=data, request_type=RequestPaginator.PUT, singleton=True, session=session)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, record):\n cls._check_implements('update')\n data = record.to_api()\n del data['id']\n data['reload'] = True\n return cls('/%s/%s.json' % (cls.__endpoint__, record.id), data=data,\n request_type=RequestPaginator.PUT, singleton=True, session=session)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(ts, peak_list, base_ts=None, intname='simple'): peaks = [] for hints in peak_list: t0, t1 = hints['t0'], hints['t1'] hints['int'] = intname pk_ts = ts.twin((t0, t1)) if base_ts is None: base = Trace([hints.get('y0', pk_ts[0]), hints.get('y1', pk_ts[ -1])], [t0, t1], name=ts.name) else: base = base_ts.twin((t0, t1)) peaks.append(PeakComponent(hints, pk_ts, base)) return peaks
simple_integrate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts, peak_list, base_ts=None, intname='simple'):\n peaks = []\n for hints in peak_list:\n t0, t1 = hints['t0'], hints['t1']\n hints['int'] = intname\n pk_ts = ts.twin((t0, t1))\n if base_ts is None:\n base = Trace([hints.get('y0', pk_ts[0]), hints.get('y1', pk_ts[\n -1])], [t0, t1], name=ts.name)\n else:\n base = base_ts.twin((t0, t1))\n peaks.append(PeakComponent(hints, pk_ts, base))\n return peaks\n", "role": "user" }, { "content": "simple_integrate", "role": "assistant" } ]
def x(ts, peak_list): peaks = [] for _, pks in _get_windows(peak_list): temp_pks = [] pks = sorted(pks, key=lambda p: p['t0']) if 'y0' in pks[0] and 'y1' in pks[-1]: y0, y1 = pks[0]['y0'], pks[-1]['y1'] else: y0 = ts.get_point(pks[0]['t0']) y1 = ts.get_point(pks[-1]['t1']) ys = np.array([y0, y1]) xs = np.array([pks[0]['t0'], pks[-1]['t1']]) for hints in pks: t0, t1 = hints['t0'], hints['t1'] hints['y0'] = np.interp(t0, xs, ys) hints['y1'] = np.interp(t1, xs, ys) if sum(1 for p in temp_pks if t1 <= p['t1']) > 0: continue overlap_pks = [p for p in temp_pks if t0 <= p['t1']] if len(overlap_pks) > 0: overlap_pk = max(overlap_pks, key=lambda p: p['t0']) over_ts = ts.twin((t0, overlap_pk['t1'])) min_t = over_ts.index[over_ts.values.argmin()] for i, p in enumerate(temp_pks): if p == overlap_pk: del temp_pks[i] break y_val = np.interp(min_t, xs, ys) overlap_pk['y1'] = y_val hints['y0'] = y_val overlap_pk['t1'] = min_t temp_pks.append(overlap_pk) hints['t0'], hints['t1'] = min_t, t1 temp_pks.append(hints) else: hints['t0'], hints['t1'] = t0, t1 temp_pks.append(hints) peaks += simple_integrate(ts, temp_pks, intname='drop') return peaks
drop_integrate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts, peak_list):\n peaks = []\n for _, pks in _get_windows(peak_list):\n temp_pks = []\n pks = sorted(pks, key=lambda p: p['t0'])\n if 'y0' in pks[0] and 'y1' in pks[-1]:\n y0, y1 = pks[0]['y0'], pks[-1]['y1']\n else:\n y0 = ts.get_point(pks[0]['t0'])\n y1 = ts.get_point(pks[-1]['t1'])\n ys = np.array([y0, y1])\n xs = np.array([pks[0]['t0'], pks[-1]['t1']])\n for hints in pks:\n t0, t1 = hints['t0'], hints['t1']\n hints['y0'] = np.interp(t0, xs, ys)\n hints['y1'] = np.interp(t1, xs, ys)\n if sum(1 for p in temp_pks if t1 <= p['t1']) > 0:\n continue\n overlap_pks = [p for p in temp_pks if t0 <= p['t1']]\n if len(overlap_pks) > 0:\n overlap_pk = max(overlap_pks, key=lambda p: p['t0'])\n over_ts = ts.twin((t0, overlap_pk['t1']))\n min_t = over_ts.index[over_ts.values.argmin()]\n for i, p in enumerate(temp_pks):\n if p == overlap_pk:\n del temp_pks[i]\n break\n y_val = np.interp(min_t, xs, ys)\n overlap_pk['y1'] = y_val\n hints['y0'] = y_val\n overlap_pk['t1'] = min_t\n temp_pks.append(overlap_pk)\n hints['t0'], hints['t1'] = min_t, t1\n temp_pks.append(hints)\n else:\n hints['t0'], hints['t1'] = t0, t1\n temp_pks.append(hints)\n peaks += simple_integrate(ts, temp_pks, intname='drop')\n return peaks\n", "role": "user" }, { "content": "drop_integrate", "role": "assistant" } ]
def x(ts_and_pks, integrate, fopts): ts, tpks = ts_and_pks pks = integrate(ts, tpks, **fopts) return pks
integrate_mpwrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts_and_pks, integrate, fopts):\n ts, tpks = ts_and_pks\n pks = integrate(ts, tpks, **fopts)\n return pks\n", "role": "user" }, { "content": "integrate_mpwrap", "role": "assistant" } ]
def x(num_bytes): s = create_string_buffer(num_bytes) ok = c_int() hProv = c_ulong() ok = windll.Advapi32.CryptAcquireContextA(byref(hProv), None, None, PROV_RSA_FULL, 0) ok = windll.Advapi32.CryptGenRandom(hProv, wintypes.DWORD(num_bytes), cast(byref(s), POINTER(c_byte))) return s.raw
get_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num_bytes):\n s = create_string_buffer(num_bytes)\n ok = c_int()\n hProv = c_ulong()\n ok = windll.Advapi32.CryptAcquireContextA(byref(hProv), None, None,\n PROV_RSA_FULL, 0)\n ok = windll.Advapi32.CryptGenRandom(hProv, wintypes.DWORD(num_bytes),\n cast(byref(s), POINTER(c_byte)))\n return s.raw\n", "role": "user" }, { "content": "get_bytes", "role": "assistant" } ]
def x(): pbRandomData = c_ulong() size_of_long = wintypes.DWORD(sizeof(pbRandomData)) ok = c_int() hProv = c_ulong() ok = windll.Advapi32.CryptAcquireContextA(byref(hProv), None, None, PROV_RSA_FULL, 0) ok = windll.Advapi32.CryptGenRandom(hProv, size_of_long, byref( pbRandomData)) return pbRandomData.value
get_long
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n pbRandomData = c_ulong()\n size_of_long = wintypes.DWORD(sizeof(pbRandomData))\n ok = c_int()\n hProv = c_ulong()\n ok = windll.Advapi32.CryptAcquireContextA(byref(hProv), None, None,\n PROV_RSA_FULL, 0)\n ok = windll.Advapi32.CryptGenRandom(hProv, size_of_long, byref(\n pbRandomData))\n return pbRandomData.value\n", "role": "user" }, { "content": "get_long", "role": "assistant" } ]
def x(*args, **kwargs): def x(f): if not hasattr(f, '__annotations__'): f.__annotations__ = kwargs.copy() else: f.__annotations__.update(kwargs) if args: if len(args) != 1: raise ValueError('annotate supports only a single argument.') f.__annotations__['return'] = args[0] return f return decorator
annotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n\n def x(f):\n if not hasattr(f, '__annotations__'):\n f.__annotations__ = kwargs.copy()\n else:\n f.__annotations__.update(kwargs)\n if args:\n if len(args) != 1:\n raise ValueError('annotate supports only a single argument.')\n f.__annotations__['return'] = args[0]\n return f\n return decorator\n", "role": "user" }, { "content": "annotate", "role": "assistant" } ]
def x(*classes): def x(f): sig = signature(f) @wraps(f) def x(*args, **kwargs): bvals = sig.bind(*args, **kwargs) for varname, val in bvals.arguments.items(): anno = sig.parameters[varname].annotation if anno in classes or len(classes) == 0 and anno != _empty: bvals.arguments[varname] = anno(val) return f(*bvals.args, **bvals.kwargs) return FunctionMaker.create(f, 'return _(%(signature)s)', dict(_=_, __wrapped__=f)) return decorator
auto_instantiate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*classes):\n\n def x(f):\n sig = signature(f)\n\n @wraps(f)\n def x(*args, **kwargs):\n bvals = sig.bind(*args, **kwargs)\n for varname, val in bvals.arguments.items():\n anno = sig.parameters[varname].annotation\n if anno in classes or len(classes) == 0 and anno != _empty:\n bvals.arguments[varname] = anno(val)\n return f(*bvals.args, **bvals.kwargs)\n return FunctionMaker.create(f, 'return _(%(signature)s)', dict(_=_,\n __wrapped__=f))\n return decorator\n", "role": "user" }, { "content": "auto_instantiate", "role": "assistant" } ]
def x(*argnames): if len(argnames) == 1 and callable(argnames[0]): return data()(argnames[0]) def x(f): f = annotate(**dict((argname, Data) for argname in argnames))(f) f = auto_instantiate(Data)(f) return f return decorator
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*argnames):\n if len(argnames) == 1 and callable(argnames[0]):\n return data()(argnames[0])\n\n def x(f):\n f = annotate(**dict((argname, Data) for argname in argnames))(f)\n f = auto_instantiate(Data)(f)\n return f\n return decorator\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(H_p, R_p, R_s): deltaF = (10 * H_p * R_p + 25 * H_p ** 2) / R_s ** 2 return deltaF.simplified
ratioTerminatorToStar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(H_p, R_p, R_s):\n deltaF = (10 * H_p * R_p + 25 * H_p ** 2) / R_s ** 2\n return deltaF.simplified\n", "role": "user" }, { "content": "ratioTerminatorToStar", "role": "assistant" } ]
def x(SNRStar, starPlanetFlux, Nobs, pixPerbin, NVisits=1): SNRplanet = SNRStar * starPlanetFlux * sqrt(Nobs) * sqrt(pixPerbin) * sqrt( NVisits) return SNRplanet
SNRPlanet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(SNRStar, starPlanetFlux, Nobs, pixPerbin, NVisits=1):\n SNRplanet = SNRStar * starPlanetFlux * sqrt(Nobs) * sqrt(pixPerbin) * sqrt(\n NVisits)\n return SNRplanet\n", "role": "user" }, { "content": "SNRPlanet", "role": "assistant" } ]
def x(P, R_s, R_p, a, i): if i is nan: i = 90 * aq.deg i = i.rescale(aq.rad) k = R_p / R_s b = a * cos(i) / R_s duration = P / pi * arcsin((R_s * sqrt((1 + k) ** 2 - b ** 2) / (a * sin(i))).simplified) return duration.rescale(aq.min)
transitDurationCircular
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(P, R_s, R_p, a, i):\n if i is nan:\n i = 90 * aq.deg\n i = i.rescale(aq.rad)\n k = R_p / R_s\n b = a * cos(i) / R_s\n duration = P / pi * arcsin((R_s * sqrt((1 + k) ** 2 - b ** 2) / (a *\n sin(i))).simplified)\n return duration.rescale(aq.min)\n", "role": "user" }, { "content": "transitDurationCircular", "role": "assistant" } ]
def x(M_s): try: temp = (5800 * aq.K * float(M_s.rescale(aq.M_s) ** 0.65)).rescale(aq.K) except AttributeError: temp = np.nan return temp
estimateStellarTemperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(M_s):\n try:\n temp = (5800 * aq.K * float(M_s.rescale(aq.M_s) ** 0.65)).rescale(aq.K)\n except AttributeError:\n temp = np.nan\n return temp\n", "role": "user" }, { "content": "estimateStellarTemperature", "role": "assistant" } ]
def x(m, M, Av=0.0): try: m = float(m) M = float(M) Av = float(Av) except TypeError: return np.nan d = 10 ** ((m - M + 5 - Av) / 5) if math.isnan(d): return np.nan else: return d * aq.pc
estimateDistance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(m, M, Av=0.0):\n try:\n m = float(m)\n M = float(M)\n Av = float(Av)\n except TypeError:\n return np.nan\n d = 10 ** ((m - M + 5 - Av) / 5)\n if math.isnan(d):\n return np.nan\n else:\n return d * aq.pc\n", "role": "user" }, { "content": "estimateDistance", "role": "assistant" } ]
def x(): magnitude_estimation_filepath = resource_filename(__name__, 'data/magnitude_estimation.dat') raw_table = np.loadtxt(magnitude_estimation_filepath, '|S5') absMagDict = {'O': {}, 'B': {}, 'A': {}, 'F': {}, 'G': {}, 'K': {}, 'M': {} } for row in raw_table: if sys.hexversion >= 50331648: starClass = row[0].decode('utf-8') absMagDict[starClass[0]][int(starClass[1])] = [float(x) for x in row[1:]] else: absMagDict[row[0][0]][int(row[0][1])] = [float(x) for x in row[1:]] LClassRef = {'V': 0, 'IV': 1, 'III': 2, 'II': 3, 'Ib': 4, 'Iab': 5, 'Ia': 6, 'Ia0': 7} return absMagDict, LClassRef
createAbsMagEstimationDict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n magnitude_estimation_filepath = resource_filename(__name__,\n 'data/magnitude_estimation.dat')\n raw_table = np.loadtxt(magnitude_estimation_filepath, '|S5')\n absMagDict = {'O': {}, 'B': {}, 'A': {}, 'F': {}, 'G': {}, 'K': {}, 'M': {}\n }\n for row in raw_table:\n if sys.hexversion >= 50331648:\n starClass = row[0].decode('utf-8')\n absMagDict[starClass[0]][int(starClass[1])] = [float(x) for x in\n row[1:]]\n else:\n absMagDict[row[0][0]][int(row[0][1])] = [float(x) for x in row[1:]]\n LClassRef = {'V': 0, 'IV': 1, 'III': 2, 'II': 3, 'Ib': 4, 'Iab': 5,\n 'Ia': 6, 'Ia0': 7}\n return absMagDict, LClassRef\n", "role": "user" }, { "content": "createAbsMagEstimationDict", "role": "assistant" } ]
def x(spectralType): from .astroclasses import SpectralType specType = SpectralType(spectralType) if specType.classLetter == '': return np.nan elif specType.classNumber == '': specType.classNumber = 5 if specType.lumType == '': specType.lumType = 'V' LNum = LClassRef[specType.lumType] classNum = specType.classNumber classLet = specType.classLetter try: return absMagDict[classLet][classNum][LNum] except (KeyError, IndexError): try: classLookup = absMagDict[classLet] values = np.array(list(classLookup.values()))[:, LNum] return np.interp(classNum, list(classLookup.keys()), values) except (KeyError, ValueError): return np.nan
estimateAbsoluteMagnitude
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spectralType):\n from .astroclasses import SpectralType\n specType = SpectralType(spectralType)\n if specType.classLetter == '':\n return np.nan\n elif specType.classNumber == '':\n specType.classNumber = 5\n if specType.lumType == '':\n specType.lumType = 'V'\n LNum = LClassRef[specType.lumType]\n classNum = specType.classNumber\n classLet = specType.classLetter\n try:\n return absMagDict[classLet][classNum][LNum]\n except (KeyError, IndexError):\n try:\n classLookup = absMagDict[classLet]\n values = np.array(list(classLookup.values()))[:, LNum]\n return np.interp(classNum, list(classLookup.keys()), values)\n except (KeyError, ValueError):\n return np.nan\n", "role": "user" }, { "content": "estimateAbsoluteMagnitude", "role": "assistant" } ]
def x(remote): if settings.debug: return True if not remote: return False for domain_pattern in settings.node['cors_whitelist_domains']: if domain_pattern.match(remote): return True return False
is_remote_allowed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(remote):\n if settings.debug:\n return True\n if not remote:\n return False\n for domain_pattern in settings.node['cors_whitelist_domains']:\n if domain_pattern.match(remote):\n return True\n return False\n", "role": "user" }, { "content": "is_remote_allowed", "role": "assistant" } ]
def x(self, num, root_seed): seeds = self.generate_seeds(num, root_seed, self.secret) blocks = self.pick_blocks(num, root_seed) self.challenges = [] for i in range(num): self.challenges.append(Challenge(blocks[i], seeds[i])) response = self.meet_challenge(self.challenges[i]) self.challenges[i].response = response
generate_challenges
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num, root_seed):\n seeds = self.generate_seeds(num, root_seed, self.secret)\n blocks = self.pick_blocks(num, root_seed)\n self.challenges = []\n for i in range(num):\n self.challenges.append(Challenge(blocks[i], seeds[i]))\n response = self.meet_challenge(self.challenges[i])\n self.challenges[i].response = response\n", "role": "user" }, { "content": "generate_challenges", "role": "assistant" } ]
def x(self, challenge): chunk_size = min(1024, self.file_size // 10) seed = challenge.seed h = hashlib.sha256() self.file_object.seek(challenge.block) if challenge.block > self.file_size - chunk_size: end_slice = challenge.block - (self.file_size - chunk_size) h.update(self.file_object.read(end_slice)) self.file_object.seek(0) h.update(self.file_object.read(chunk_size - end_slice)) else: h.update(self.file_object.read(chunk_size)) h.update(seed) return h.digest()
meet_challenge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, challenge):\n chunk_size = min(1024, self.file_size // 10)\n seed = challenge.seed\n h = hashlib.sha256()\n self.file_object.seek(challenge.block)\n if challenge.block > self.file_size - chunk_size:\n end_slice = challenge.block - (self.file_size - chunk_size)\n h.update(self.file_object.read(end_slice))\n self.file_object.seek(0)\n h.update(self.file_object.read(chunk_size - end_slice))\n else:\n h.update(self.file_object.read(chunk_size))\n h.update(seed)\n return h.digest()\n", "role": "user" }, { "content": "meet_challenge", "role": "assistant" } ]
def x(num, root_seed, secret): if num < 0: raise HeartbeatError('%s is not greater than 0' % num) if secret is None: raise HeartbeatError('secret can not be of type NoneType') seeds = [] try: tmp_seed = hashlib.sha256(root_seed).digest() except TypeError: tmp_seed = hashlib.sha256(str(root_seed).encode()).digest() for x in range(num): seeds.append(tmp_seed) h = hashlib.sha256(tmp_seed) h.update(secret) tmp_seed = h.digest() return seeds
generate_seeds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num, root_seed, secret):\n if num < 0:\n raise HeartbeatError('%s is not greater than 0' % num)\n if secret is None:\n raise HeartbeatError('secret can not be of type NoneType')\n seeds = []\n try:\n tmp_seed = hashlib.sha256(root_seed).digest()\n except TypeError:\n tmp_seed = hashlib.sha256(str(root_seed).encode()).digest()\n for x in range(num):\n seeds.append(tmp_seed)\n h = hashlib.sha256(tmp_seed)\n h.update(secret)\n tmp_seed = h.digest()\n return seeds\n", "role": "user" }, { "content": "generate_seeds", "role": "assistant" } ]
def x(self, num, root_seed): if num < 0: raise HeartbeatError('%s is not greater than 0' % num) blocks = [] random.seed(root_seed) for i in range(num): blocks.append(random.randint(0, self.file_size - 1)) return blocks
pick_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num, root_seed):\n if num < 0:\n raise HeartbeatError('%s is not greater than 0' % num)\n blocks = []\n random.seed(root_seed)\n for i in range(num):\n blocks.append(random.randint(0, self.file_size - 1))\n return blocks\n", "role": "user" }, { "content": "pick_blocks", "role": "assistant" } ]
def x(self, hash_answer): for challenge in self.challenges: if challenge.response == hash_answer: self.delete_challenge(hash_answer) return True return False
check_answer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hash_answer):\n for challenge in self.challenges:\n if challenge.response == hash_answer:\n self.delete_challenge(hash_answer)\n return True\n return False\n", "role": "user" }, { "content": "check_answer", "role": "assistant" } ]
def x(self): helpscout = __import__('helpscout.apis') for class_name in helpscout.apis.__all__: if not class_name.startswith('_'): cls = getattr(helpscout.apis, class_name) api = AuthProxy(self.session, cls) setattr(self, class_name, api) self.__apis__[class_name] = api
load_apis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n helpscout = __import__('helpscout.apis')\n for class_name in helpscout.apis.__all__:\n if not class_name.startswith('_'):\n cls = getattr(helpscout.apis, class_name)\n api = AuthProxy(self.session, cls)\n setattr(self, class_name, api)\n self.__apis__[class_name] = api\n", "role": "user" }, { "content": "load_apis", "role": "assistant" } ]
def x(begin, end=None, duration=datetime.timedelta(days=2)): duration_ms = int(duration.total_seconds() * 1000) previous = int(unix_time(begin) * 1000) next = previous + duration_ms now_ms = unix_time(datetime.datetime.now()) * 1000 end_slice = now_ms if not end else min(now_ms, int(unix_time(end) * 1000)) while next < end_slice: yield TimeSlice(previous, next) previous = next next += duration_ms now_ms = unix_time(datetime.datetime.now()) * 1000 end_slice = now_ms if not end else min(now_ms, int(unix_time(end) * 1000)) yield TimeSlice(previous, end_slice)
slice_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(begin, end=None, duration=datetime.timedelta(days=2)):\n duration_ms = int(duration.total_seconds() * 1000)\n previous = int(unix_time(begin) * 1000)\n next = previous + duration_ms\n now_ms = unix_time(datetime.datetime.now()) * 1000\n end_slice = now_ms if not end else min(now_ms, int(unix_time(end) * 1000))\n while next < end_slice:\n yield TimeSlice(previous, next)\n previous = next\n next += duration_ms\n now_ms = unix_time(datetime.datetime.now()) * 1000\n end_slice = now_ms if not end else min(now_ms, int(unix_time(end) *\n 1000))\n yield TimeSlice(previous, end_slice)\n", "role": "user" }, { "content": "slice_time", "role": "assistant" } ]
def x(response): if isinstance(response, unicode) or isinstance(response, str): response = response, 'text/html' return response
make_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response):\n if isinstance(response, unicode) or isinstance(response, str):\n response = response, 'text/html'\n return response\n", "role": "user" }, { "content": "make_response", "role": "assistant" } ]
def x(ts): t_step = ts.index[1] - ts.index[0] oc = np.abs(np.fft.fftshift(np.fft.fft(ts.values))) / len(ts.values) t = np.fft.fftshift(np.fft.fftfreq(len(oc), d=t_step)) return Trace(oc, t)
fft
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts):\n t_step = ts.index[1] - ts.index[0]\n oc = np.abs(np.fft.fftshift(np.fft.fft(ts.values))) / len(ts.values)\n t = np.fft.fftshift(np.fft.fftfreq(len(oc), d=t_step))\n return Trace(oc, t)\n", "role": "user" }, { "content": "fft", "role": "assistant" } ]
def x(arr, window): m = np.ones(int(window)) / int(window) return scipy.ndimage.convolve1d(arr, m, axis=0, mode='reflect')
movingaverage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr, window):\n m = np.ones(int(window)) / int(window)\n return scipy.ndimage.convolve1d(arr, m, axis=0, mode='reflect')\n", "role": "user" }, { "content": "movingaverage", "role": "assistant" } ]
def x(ast_str): data = zlib.decompress(ast_str) li = struct.unpack('<L', data[0:4])[0] lt = struct.unpack('<L', data[4:8])[0] n = data[8:8 + li].decode('utf-8') t = np.fromstring(data[8 + li:8 + li + lt]) d = np.fromstring(data[8 + li + lt:]) return Trace(d, t, name=n)
loads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ast_str):\n data = zlib.decompress(ast_str)\n li = struct.unpack('<L', data[0:4])[0]\n lt = struct.unpack('<L', data[4:8])[0]\n n = data[8:8 + li].decode('utf-8')\n t = np.fromstring(data[8 + li:8 + li + lt])\n d = np.fromstring(data[8 + li + lt:])\n return Trace(d, t, name=n)\n", "role": "user" }, { "content": "loads", "role": "assistant" } ]
def x(asts): d = asts.values.tostring() t = asts.index.values.astype(float).tostring() lt = struct.pack('<L', len(t)) i = asts.name.encode('utf-8') li = struct.pack('<L', len(i)) try: return buffer(zlib.compress(li + lt + i + t + d)) except NameError: return zlib.compress(li + lt + i + t + d)
dumps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(asts):\n d = asts.values.tostring()\n t = asts.index.values.astype(float).tostring()\n lt = struct.pack('<L', len(t))\n i = asts.name.encode('utf-8')\n li = struct.pack('<L', len(i))\n try:\n return buffer(zlib.compress(li + lt + i + t + d))\n except NameError:\n return zlib.compress(li + lt + i + t + d)\n", "role": "user" }, { "content": "dumps", "role": "assistant" } ]
def x(f): def x(df, *args): return Chromatogram(f(df.values, *args), df.index, df.columns) return wrap_func
ts_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n def x(df, *args):\n return Chromatogram(f(df.values, *args), df.index, df.columns)\n return wrap_func\n", "role": "user" }, { "content": "ts_func", "role": "assistant" } ]
def x(c, k=0): from matplotlib.colors import ColorConverter c = ColorConverter().to_rgb(c) intensity = 0.299 * c[0] + 0.587 * c[1] + 0.114 * c[2] return [(intensity * k + i * (1 - k)) for i in c]
desaturate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(c, k=0):\n from matplotlib.colors import ColorConverter\n c = ColorConverter().to_rgb(c)\n intensity = 0.299 * c[0] + 0.587 * c[1] + 0.114 * c[2]\n return [(intensity * k + i * (1 - k)) for i in c]\n", "role": "user" }, { "content": "desaturate", "role": "assistant" } ]
def x(spec, spec_lib, method='euclidian'): spec = spec / np.max(spec) if method == 'dot': d1 = (spec_lib * lil_matrix(spec).T).sum(axis=1).A ** 2 d2 = np.sum(spec ** 2) * spec_lib.multiply(spec_lib).sum(axis=1).A dist = d1 / d2 elif method == 'euclidian': st_spc = dia_matrix((spec, [0]), shape=(len(spec), len(spec))) dist_sp = spec_lib.multiply(spec_lib) - 2 * spec_lib.dot(st_spc) dist = dist_sp.sum(axis=1).A + np.sum(spec ** 2) return dist.argmin(), dist.min()
find_spectrum_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, spec_lib, method='euclidian'):\n spec = spec / np.max(spec)\n if method == 'dot':\n d1 = (spec_lib * lil_matrix(spec).T).sum(axis=1).A ** 2\n d2 = np.sum(spec ** 2) * spec_lib.multiply(spec_lib).sum(axis=1).A\n dist = d1 / d2\n elif method == 'euclidian':\n st_spc = dia_matrix((spec, [0]), shape=(len(spec), len(spec)))\n dist_sp = spec_lib.multiply(spec_lib) - 2 * spec_lib.dot(st_spc)\n dist = dist_sp.sum(axis=1).A + np.sum(spec ** 2)\n return dist.argmin(), dist.min()\n", "role": "user" }, { "content": "find_spectrum_match", "role": "assistant" } ]
def x(self, ctx, name): if name not in self.daemon_class.list_actions(): return None daemon = ctx.obj def x(debug=False): if daemon.detach and debug: daemon.detach = False daemon.do_action(name) subcommand.__doc__ = daemon.get_action(name).__doc__ if name == 'start': subcommand = click.option('--debug', is_flag=True, help= 'Do NOT detach and run in the background.')(subcommand) subcommand = click.command(name, options_metavar=self.options_metavar)( subcommand) return subcommand
get_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx, name):\n if name not in self.daemon_class.list_actions():\n return None\n daemon = ctx.obj\n\n def x(debug=False):\n if daemon.detach and debug:\n daemon.detach = False\n daemon.do_action(name)\n subcommand.__doc__ = daemon.get_action(name).__doc__\n if name == 'start':\n subcommand = click.option('--debug', is_flag=True, help=\n 'Do NOT detach and run in the background.')(subcommand)\n subcommand = click.command(name, options_metavar=self.options_metavar)(\n subcommand)\n return subcommand\n", "role": "user" }, { "content": "get_command", "role": "assistant" } ]
def x(self, path=None): paths = self._paths.copy() if path: if path.is_dir(): path /= '{}.conf'.format(self._configuration_name) paths.append(path) paths = [(path_._root / str(x)[1:] if x.is_absolute() else x) for x in paths] if path: path = paths[-1] if not path.exists(): raise ValueError('Expected configuration file at {}'.format(path)) config_parser = ConfigParser(inline_comment_prefixes=('#', ';'), empty_lines_in_values=False, default_section='default', interpolation=ExtendedInterpolation()) def x(name): return name.replace('-', '_').replace(' ', '_').lower() config_parser.optionxform = option_transform with suppress(FileNotFoundError): defaults_contents = resource_string(self._package_name, 'data/{}.defaults.conf'.format(self._configuration_name)) config_parser.read_string(defaults_contents.decode('UTF-8')) config_parser.read([str(x) for x in paths]) config = {k: dict(v) for k, v in config_parser.items()} del config['default'] return config
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path=None):\n paths = self._paths.copy()\n if path:\n if path.is_dir():\n path /= '{}.conf'.format(self._configuration_name)\n paths.append(path)\n paths = [(path_._root / str(x)[1:] if x.is_absolute() else x) for x in\n paths]\n if path:\n path = paths[-1]\n if not path.exists():\n raise ValueError('Expected configuration file at {}'.format(path))\n config_parser = ConfigParser(inline_comment_prefixes=('#', ';'),\n empty_lines_in_values=False, default_section='default',\n interpolation=ExtendedInterpolation())\n\n def x(name):\n return name.replace('-', '_').replace(' ', '_').lower()\n config_parser.optionxform = option_transform\n with suppress(FileNotFoundError):\n defaults_contents = resource_string(self._package_name,\n 'data/{}.defaults.conf'.format(self._configuration_name))\n config_parser.read_string(defaults_contents.decode('UTF-8'))\n config_parser.read([str(x) for x in paths])\n config = {k: dict(v) for k, v in config_parser.items()}\n del config['default']\n return config\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, description): config_files_listing = '\n'.join(' {}. {!s}'.format(i, path) for i, path in enumerate(self._paths, 1)) text = dedent( """ {config_file}: {description} {config_file} files are read from the following locations:  {config_files_listing} Any configuration file can override options set by previous configuration files. Some configuration file locations can be changed using the XDG standard (http://standards.freedesktop.org/basedir-spec/basedir-spec-0.6.html). """ ).format(config_file='{}.conf'.format(self._configuration_name), description=description, config_files_listing=config_files_listing) return text
cli_help_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, description):\n config_files_listing = '\\n'.join(' {}. {!s}'.format(i, path) for i,\n path in enumerate(self._paths, 1))\n text = dedent(\n \"\"\" {config_file}:\n \n {description}\n \n {config_file} files are read from the following locations:\n \n \b\n {config_files_listing}\n \n Any configuration file can override options set by previous configuration files. Some \n configuration file locations can be changed using the XDG standard (http://standards.freedesktop.org/basedir-spec/basedir-spec-0.6.html).\n \"\"\"\n ).format(config_file='{}.conf'.format(self._configuration_name),\n description=description, config_files_listing=config_files_listing)\n return text\n", "role": "user" }, { "content": "cli_help_message", "role": "assistant" } ]