source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(ctx): ctx.obj = dict() ctx.obj['app_key'] = os.environ.get('TRELLOSTATS_APP_KEY') ctx.obj['app_token'] = os.environ.get('TRELLOSTATS_APP_TOKEN') init_db(db_proxy)
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n ctx.obj = dict()\n ctx.obj['app_key'] = os.environ.get('TRELLOSTATS_APP_KEY')\n ctx.obj['app_token'] = os.environ.get('TRELLOSTATS_APP_TOKEN')...
def x(language): global _translations if language not in _translations: _translations[language] = Translations(language) return _translations[language]
translation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language):\n global _translations\n if language not in _translations:\n _translations[language] = Translations(language)\n return _translations...
def x(message): global _default _default = _default or translation(DEFAULT_LANGUAGE) translation_object = getattr(_active, 'value', _default) result = translation_object.gettext(message) return result
gettext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message):\n global _default\n _default = _default or translation(DEFAULT_LANGUAGE)\n translation_object = getattr(_active, 'value', _default)\n res...
def x(self, localedir, use_null_fallback=True): use_null_fallback = False return gettext_module.translation(domain=self.domain, localedir= localedir, languages=[self.language], codeset='utf-8', fallback= use_null_fallback)
new_gnu_trans
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, localedir, use_null_fallback=True):\n use_null_fallback = False\n return gettext_module.translation(domain=self.domain, localedir=\n localed...
def x(self, localedir): global _localedirs if localedir in self.localedirs: return self.localedirs.append(localedir) full_localedir = os.path.join(localedir, 'locale') if os.path.exists(full_localedir): translation = self._new_gnu_trans(full_localedir) self.merge(translation)
add_localedir_translations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, localedir):\n global _localedirs\n if localedir in self.localedirs:\n return\n self.localedirs.append(localedir)\n full_localedir = os...
def x(self, other): if not getattr(other, '_catalog', None): return if self._catalog is None: self.plural = other.plural self._info = other._info.copy() self._catalog = other._catalog.copy() else: self._catalog.update(other._catalog)
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if not getattr(other, '_catalog', None):\n return\n if self._catalog is None:\n self.plural = other.plural\n self._i...
def x(text_in): if type(text_in) == list: text_out = u' '.join([t.decode('utf-8') for t in text_in]) else: text_out = text_in.decode('utf-8') return text_out
decode_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text_in):\n if type(text_in) == list:\n text_out = u' '.join([t.decode('utf-8') for t in text_in])\n else:\n text_out = text_in.decode('utf...
def x(self): self.FILE_LOCAL = self._transfer.get_env('FILE_LOCAL') if not self.FILE_LOCAL: filename = '{}_{}.{}'.format(str(self._transfer.prefix), str(self. _transfer.namespace), str(self.file_extension)) self.FILE_LOCAL = os.path.join(os.path.expanduser('~'), filename) dirs = os.path.dirname(self.FILE_LOCAL) if not os.path.exists(dirs): os.makedirs(dirs) try: open(self.FILE_LOCAL, 'rb+').close() except: open(self.FILE_LOCAL, 'a').close()
set_local_file_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.FILE_LOCAL = self._transfer.get_env('FILE_LOCAL')\n if not self.FILE_LOCAL:\n filename = '{}_{}.{}'.format(str(self._transfer.prefix...
def x(): if not app.config['DEBUG']: post_status = and_(Post.status == PostStatus.PUBLISH) else: post_status = or_(Post.status == PostStatus.PUBLISH, Post.status == PostStatus.DRAFT) return post_status
gen_post_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not app.config['DEBUG']:\n post_status = and_(Post.status == PostStatus.PUBLISH)\n else:\n post_status = or_(Post.status == PostSta...
def x(self, name, params): try: func = self.funcs[name] except KeyError: pass else: if isinstance(params, (list, tuple)): return func(*params) else: return func(**params) return self._dispatch_method(name, params)
simple_dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, params):\n try:\n func = self.funcs[name]\n except KeyError:\n pass\n else:\n if isinstance(params, (list, tuple)):\n...
def x(self, observer): sid = self._sn self.observers[sid] = observer self._sn += 1 return SubscribeID(self, sid)
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer):\n sid = self._sn\n self.observers[sid] = observer\n self._sn += 1\n return SubscribeID(self, sid)\n", "role": "user" }, { ...
def x(self, sid): if sid not in self.observers: raise KeyError( 'Cannot disconnect a observer does not connected to subject') del self.observers[sid]
unsubscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sid):\n if sid not in self.observers:\n raise KeyError(\n 'Cannot disconnect a observer does not connected to subject')\n del sel...
def x(name): source = sys.modules[name] members = vars(source) is_descriptor = lambda x: not isinstance(x, type) and hasattr(x, '__get__') descriptors = {k: v for k, v in members.items() if is_descriptor(v)} members = {k: v for k, v in members.items() if k not in descriptors} descriptors['__source'] = source target = type(name, (types.ModuleType,), descriptors)(name) target.__dict__.update(members) sys.modules[name] = target
make_module_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n source = sys.modules[name]\n members = vars(source)\n is_descriptor = lambda x: not isinstance(x, type) and hasattr(x, '__get__')\n descri...
def x(N_input=None, N_hidden=2, N_output=1, hidden_layer_type='Linear', verbosity=1): N_input = N_input or 1 N_output = N_output or 1 N_hidden = N_hidden or tuple() if isinstance(N_hidden, (int, float, basestring)): N_hidden = int(N_hidden), hidden_layer_type = hidden_layer_type or tuple() hidden_layer_type = tuplify(normalize_layer_type(hidden_layer_type)) if verbosity > 0: print(N_hidden, ' layers of type ', hidden_layer_type) assert len(N_hidden) == len(hidden_layer_type) nn = pb.structure.FeedForwardNetwork() nn.addInputModule(pb.structure.BiasUnit(name='bias')) nn.addInputModule(pb.structure.LinearLayer(N_input, name='input')) for i, (Nhid, hidlaytype) in enumerate(zip(N_hidden, hidden_layer_type)): Nhid = int(Nhid) nn.addModule(hidlaytype(Nhid, name='hidden-{}'.format(i) if i else 'hidden')) nn.addOutputModule(pb.structure.LinearLayer(N_output, name='output')) nn.addConnection(pb.structure.FullConnection(nn['bias'], nn['hidden'] if N_hidden else nn['output'])) nn.addConnection(pb.structure.FullConnection(nn['input'], nn['hidden'] if N_hidden else nn['output'])) for i, (Nhid, hidlaytype) in enumerate(zip(N_hidden[:-1], hidden_layer_type[:-1])): Nhid = int(Nhid) nn.addConnection(pb.structure.FullConnection(nn['hidden-{}'.format( i) if i else 'hidden'], nn['hidden-{}'.format(i + 1)])) i = len(N_hidden) - 1 nn.addConnection(pb.structure.FullConnection(nn['hidden-{}'.format(i) if i else 'hidden'], nn['output'])) nn.sortModules() if FAST: try: nn.convertToFastNetwork() except: if verbosity > 0: print( 'Unable to convert slow PyBrain NN to a fast ARAC network...' ) if verbosity > 0: print(nn.connections) return nn
build_ann
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(N_input=None, N_hidden=2, N_output=1, hidden_layer_type='Linear',\n verbosity=1):\n N_input = N_input or 1\n N_output = N_output or 1\n N_hidden = ...
def x(samples, location='Fresno, CA', weather_columns=None, use_cache=True, verbosity=0): if verbosity > 1: print('Prepending weather data for {} to dataset samples'.format( weather_columns)) if not weather_columns: return samples timestamps = pd.DatetimeIndex([s['target'].index[0] for s in samples]) years = range(timestamps.min().date().year, timestamps.max().date(). year + 1) weather_df = weather.daily(location=location, years=years, use_cache= use_cache) weather_df.index = [d.date() for d in weather_df.index] if verbosity > 1: print('Retrieved weather for years {}:'.format(years)) print(weather_df) weather_columns = [(label if label in weather_df.columns else weather_df.columns[int(label)]) for label in weather_columns or []] for sampnum, sample in enumerate(samples): timestamp = timestamps[sampnum] try: weather_day = weather_df.loc[timestamp.date()] except: from traceback import print_exc print_exc() weather_day = {} if verbosity >= 0: warnings.warn('Unable to find weather for the date {}'. format(timestamp.date())) NaN = float('NaN') sample['input'] = [weather_day.get(label, None) for label in weather_columns] + list(sample['input']) if verbosity > 0 and NaN in sample['input']: warnings.warn( 'Unable to find weather features {} in the weather for date {}' .format([label for i, label in enumerate(weather_columns) if sample['input'][i] == NaN], timestamp)) return samples
prepend_dataset_with_weather
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(samples, location='Fresno, CA', weather_columns=None, use_cache=True,\n verbosity=0):\n if verbosity > 1:\n print('Prepending weather data for {} ...
def x(df, delays=(1, 2, 3), inputs=(1, 2, -1), outputs=(-1,), normalize= False, verbosity=1): if isinstance(delays, int): if delays: delays = range(1, delays + 1) else: delays = [0] delays = np.abs(np.array([int(i) for i in delays])) inputs = [(df.columns[int(inp)] if isinstance(inp, (float, int)) else str(inp)) for inp in inputs] outputs = [(df.columns[int(out)] if isinstance(out, (float, int)) else str(out)) for out in outputs or []] inputs = [fuzzy_get(df.columns, i) for i in inputs] outputs = [fuzzy_get(df.columns, o) for o in outputs] N_inp = len(inputs) N_out = len(outputs) inp_outs = inputs + outputs if verbosity > 0: print('inputs: {}\noutputs: {}\ndelays: {}\n'.format(inputs, outputs, delays)) means, stds = np.zeros(len(inp_outs)), np.ones(len(inp_outs)) if normalize: means, stds = df[inp_outs].mean(), df[inp_outs].std() if normalize and verbosity > 0: print('Input mean values (used to normalize input biases): {}'. format(means[:N_inp])) print('Output mean values (used to normalize output biases): {}'. format(means[N_inp:])) ds = pb.datasets.SupervisedDataSet(N_inp * len(delays), N_out) if verbosity > 0: print( 'Dataset dimensions are {}x{}x{} (records x indim x outdim) for {} delays, {} inputs, {} outputs' .format(len(df), ds.indim, ds.outdim, len(delays), len(inputs), len(outputs))) if delays == np.array([0]) and not normalize: if verbosity > 0: print( 'No tapped delay lines (delays) were requested, so using undelayed features for the dataset.' ) assert df[inputs].values.shape[0] == df[outputs].values.shape[0] ds.setField('input', df[inputs].values) ds.setField('target', df[outputs].values) ds.linkFields(['input', 'target']) assert len(ds['input']) == len(ds['target']) else: for i, out_vec in enumerate(df[outputs].values): if verbosity > 0 and i % 100 == 0: print('{}%'.format(i / 0.01 / len(df))) elif verbosity > 1: print('sample[{i}].target={out_vec}'.format(i=i, out_vec= out_vec)) if i < max(delays): continue inp_vec = [] for delay in delays: inp_vec += list((df[inputs].values[i - delay] - means[: N_inp]) / stds[:N_inp]) ds.addSample(inp_vec, (out_vec - means[N_inp:]) / stds[N_inp:]) if verbosity > 0: print('Dataset now has {} samples'.format(len(ds))) if normalize: return ds, means, stds else: return ds
dataset_from_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, delays=(1, 2, 3), inputs=(1, 2, -1), outputs=(-1,), normalize=\n False, verbosity=1):\n if isinstance(delays, int):\n if delays:\n ...
def x(df, delays=(1, 2, 3), inputs=(1, 2, -1), outputs=None, normalize=True, verbosity=1): return dataset_from_dataframe(df=df, delays=delays, inputs=inputs, outputs=outputs, normalize=normalize, verbosity=verbosity)
input_dataset_from_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, delays=(1, 2, 3), inputs=(1, 2, -1), outputs=None, normalize=True,\n verbosity=1):\n return dataset_from_dataframe(df=df, delays=delays, inputs=input...
def x(df, delays=(1, 2, 3), inputs=(1, 2, -1), outputs=None, normalize=True, verbosity=1): ds = input_dataset_from_dataframe(df=df, delays=delays, inputs=inputs, outputs=outputs, normalize=normalize, verbosity=verbosity) return ds['input']
inputs_from_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, delays=(1, 2, 3), inputs=(1, 2, -1), outputs=None, normalize=True,\n verbosity=1):\n ds = input_dataset_from_dataframe(df=df, delays=delays, inputs=i...
def x(nn, ds, verbosity=1): return pb.supervised.trainers.rprop.RPropMinusTrainer(nn, dataset=ds, batchlearning=True, verbose=bool(verbosity))
build_trainer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nn, ds, verbosity=1):\n return pb.supervised.trainers.rprop.RPropMinusTrainer(nn, dataset=ds,\n batchlearning=True, verbose=bool(verbosity))\n", ...
def x(nn): if isinstance(nn, ndarray): return nn try: return weight_matrices(nn.connections) except: pass try: return weight_matrices(nn.module) except: pass if isinstance(nn, (ParameterContainer, Connection)): return reshape(nn.params, (nn.outdim, nn.indim)) if isinstance(nn, basestring): try: fn = nn nn = NetworkReader(fn, newfile=False) return weight_matrices(nn.readFrom(fn)) except: pass try: return [weight_matrices(v) for k, v in nn.iteritems()] except: try: connections = nn.module.connections.values() nn = [] for conlist in connections: nn += conlist return weight_matrices(nn) except: return [weight_matrices(v) for v in nn]
weight_matrices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nn):\n if isinstance(nn, ndarray):\n return nn\n try:\n return weight_matrices(nn.connections)\n except:\n pass\n try:\n ...
def x(ds): ans = [] for sampnum, sample in enumerate(ds): if pd.isnull(sample).any(): ans += [{'sample': sampnum, 'input': pd.isnull(sample[0]). nonzero()[0], 'output': pd.isnull(sample[1]).nonzero()[0]}] return ans
dataset_nan_locs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ds):\n ans = []\n for sampnum, sample in enumerate(ds):\n if pd.isnull(sample).any():\n ans += [{'sample': sampnum, 'input': pd.isnull(...
def x(table): ans = [] for rownum, row in enumerate(table): try: if pd.isnull(row).any(): colnums = pd.isnull(row).nonzero()[0] ans += [(rownum, colnum) for colnum in colnums] except AttributeError: if pd.isnull(row): ans += [(rownum, 0)] return ans
table_nan_locs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table):\n ans = []\n for rownum, row in enumerate(table):\n try:\n if pd.isnull(row).any():\n colnums = pd.isnull(row).n...
def x(network, ds=None, mean=0, std=1, title='', show=True, save=True): df = sim_network(network=network, ds=ds, mean=mean, std=std) df.plot() plt.xlabel('Date') plt.ylabel('Threshold (kW)') plt.title(title) if show: try: plt.show(block=False) except TypeError: plt.show() if save: filename = 'ann_performance_for_{0}.png'.format(title).replace(' ', '_' ) if isinstance(save, basestring) and os.path.isdir(save): filename = os.path.join(save, filename) plt.savefig(filename) if not show: plt.clf() return network, mean, std
plot_network_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(network, ds=None, mean=0, std=1, title='', show=True, save=True):\n df = sim_network(network=network, ds=ds, mean=mean, std=std)\n df.plot()\n plt.xla...
def x(trainer, mean=0, std=1, title='', show=True, save=True): return plot_network_results(network=trainer.module, ds=trainer.ds, mean =mean, std=std, title=title, show=show, save=save)
trainer_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(trainer, mean=0, std=1, title='', show=True, save=True):\n return plot_network_results(network=trainer.module, ds=trainer.ds, mean\n =mean, std=std, ...
def x(trainer, mean=0, std=1): return sim_network(network=trainer.module, ds=trainer.ds, mean=mean, std=std)
sim_trainer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(trainer, mean=0, std=1):\n return sim_network(network=trainer.module, ds=trainer.ds, mean=mean,\n std=std)\n", "role": "user" }, { "conte...
def x(network, ds=None, index=None, mean=0, std=1): if hasattr(network, 'module') and hasattr(network.module, 'activate'): network = network.module ds = ds or network.ds if not ds: raise RuntimeError( 'Unable to find a `pybrain.datasets.DataSet` instance to activate the Network with, to plot the outputs. A dataset can be provided as part of a network instance or as a separate kwarg if `network` is used to provide the `pybrain.Network` instance directly.' ) results_generator = ((network.activate(ds['input'][i])[0] * std + mean, ds['target'][i][0] * std + mean) for i in xrange(len(ds['input']))) return pd.DataFrame(results_generator, columns=['Output', 'Target'], index=index or range(len(ds['input'])))
sim_network
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(network, ds=None, index=None, mean=0, std=1):\n if hasattr(network, 'module') and hasattr(network.module, 'activate'):\n network = network.module\n ...
def x(args): if len(args) == 0 or args[0] == SHOW: return [(SHOW, None)] elif args[0] == LOG: return [(LOG, None)] elif args[0] == ECHO: return [(ECHO, None)] elif args[0] == SET and args[1] == RATE: return tokenizeSetRate(args[2:]) elif args[0] == SET and args[1] == DAYS: return tokenizeSetDays(args[2:]) elif args[0] == TAKE: return tokenizeTake(args[1:]) elif args[0] == CANCEL: return tokenizeCancel(args[1:]) elif isMonth(args[0]): return tokenizeTake(args) else: print('Unknown commands: {}'.format(' '.join(args))) return []
lex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n if len(args) == 0 or args[0] == SHOW:\n return [(SHOW, None)]\n elif args[0] == LOG:\n return [(LOG, None)]\n elif args[0] == E...
def x(self, name, replace=None, svc=None): actions = svc.get('actions') if actions and actions.get(name): return self.run(name, actions=actions, replace=replace) if svc.get(name + '-hook'): return self.run(name, actions={name: {'type': 'hook', 'url': svc. get(name + '-hook')}}, replace=replace) self.die('Unable to find action {name} on service {svc}', name=name, svc=svc.get('name', ''))
run_svc_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, replace=None, svc=None):\n actions = svc.get('actions')\n if actions and actions.get(name):\n return self.run(name, actions=actions, r...
def x(self, name, replace=None, actions=None): self.actions = actions action = actions.get(name) if not action: self.die('Action not found: {}', name) action['name'] = name action_type = action.get('type', 'none') try: func = getattr(self, '_run__' + action_type) except AttributeError: self.die('Unsupported action type ' + action_type) try: return func(action, replace) except Exception as err: if self._debug: self.debug(traceback.format_exc()) self.die('Error running action name={} type={} error={}', name, action_type, err)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, replace=None, actions=None):\n self.actions = actions\n action = actions.get(name)\n if not action:\n self.die('Action not found: {...
def x(self, action, replace): for target in action.get('actions', []): Action().run(target, actions=self.actions, replace=replace)
run__group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, replace):\n for target in action.get('actions', []):\n Action().run(target, actions=self.actions, replace=replace)\n", "role": "use...
def x(self, action, replace): url = action.get('url') expected = action.get('expect', {}).get('response-codes', (200, 201, 202, 204)) if replace and action.get('template', True): url = self.rfxcfg.macro_expand(url, replace) self.logf('Action {} hook\n', action['name']) self.logf('{}\n', url, level=common.log_msg) result = requests.get(url) self.debug('Result={}\n', result.status_code) if result.status_code not in expected: self.die('Hook failed name={} result={}', action['name'], result. status_code) self.logf('Success\n', level=common.log_good)
run__hook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, replace):\n url = action.get('url')\n expected = action.get('expect', {}).get('response-codes', (200, 201, \n 202, 204))\n if rep...
def x(self, action, replace): cmd = action.get('cmd') shell = False if isinstance(cmd, str): shell = True if replace and action.get('template', True): if shell: cmd = self.rfxcfg.macro_expand(cmd, replace) else: cmd = [self.rfxcfg.macro_expand(x, replace) for x in cmd] self.logf('Action {} exec\n', action['name']) self.logf('{}\n', cmd, level=common.log_cmd) if self.sys(cmd): self.logf('Success\n', level=common.log_good) return self.die('Failure\n', level=common.log_err)
run__exec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, replace):\n cmd = action.get('cmd')\n shell = False\n if isinstance(cmd, str):\n shell = True\n if replace and action.get('tem...
def x(self, action, replace): query = action['query'] url = '{type}://{host}{path}'.format(path=query['path'], **action) content = None method = query.get('method', 'get').lower() self.debug('{} {} url={}\n', action['type'], method, url) if method == 'post': content = query['content'] headers = query.get('headers', {}) if replace and action.get('template'): self.rfxcfg.macro_expand(url, replace) if content: if isinstance(content, dict): for key, value in content.items(): content[key] = self.rfxcfg.macro_expand(value, replace) else: content = self.rfxcfg.macro_expand(content, replace) newhdrs = dict() for key, value in headers.items(): newhdrs[key.lower()] = self.rfxcfg.macro_expand(value, replace) headers = newhdrs self.debug('{} headers={}\n', action['type'], headers) self.debug('{} content={}\n', action['type'], content) if content and isinstance(content, dict): content = json.dumps(content) self.logf('Action {name} {type}\n', **action) result = getattr(requests, method)(url, headers=headers, data=content, timeout=action.get('timeout', 5)) expect = action.get('expect', {}) expected_codes = expect.get('response-codes', (200, 201, 202, 204)) self.debug('{} expect codes={}\n', action['type'], expected_codes) self.debug('{} status={} content={}\n', action['type'], result. status_code, result.text) if result.status_code not in expected_codes: self.die('Unable to make {} call, unexpected result ({})', action[ 'type'], result.status_code) if 'content' in expect: self.debug('{} expect content={}\n', action['type'], expect['content']) if expect['content'] not in result.text: self.die('{} call to {} failed\nExpected: {}\nReceived:\n{}', action['type'], url, expect['content'], result.text) if 'regex' in expect: self.debug('{} expect regex={}\n', action['type'], expect['regex']) if not re.search(expect['regex'], result.text): self.die('{} call to {} failed\nRegex: {}\nDid not match:\n{}', action['type'], url, expect['regex'], result.text) self.log(result.text, level=common.log_msg) self.logf('Success, status={}\n', result.status_code, level=common.log_good ) return True
run__http
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, replace):\n query = action['query']\n url = '{type}://{host}{path}'.format(path=query['path'], **action)\n content = None\n method = ...
async def main(): """ Main code """ client = Client(BMAS_ENDPOINT) try: ws_connection = client(bma.ws.block) async with ws_connection as ws: print('Connected successfully to web socket block path') async for msg in ws: if msg.type == aiohttp.WSMsgType.TEXT: print('Received a block') block_data = parse_text(msg.data, bma.ws.WS_BLOCK_SCHEMA) print(block_data) elif msg.type == aiohttp.WSMsgType.CLOSED: print('Web socket connection closed !') elif msg.type == aiohttp.WSMsgType.ERROR: print('Web socket connection error !') await client.close() except (aiohttp.WSServerHandshakeError, ValueError) as e: print('Websocket block {0} : {1}'.format(type(e).__name__, str(e))) except (aiohttp.ClientError, gaierror, TimeoutError) as e: print('{0} : {1}'.format(str(e), BMAS_ENDPOINT)) except jsonschema.ValidationError as e: print('{:}:{:}'.format(str(e.__class__.__name__), str(e)))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def main():\n \"\"\"\n Main code\n \"\"\"\n client = Client(BMAS_ENDPOINT)\n try:\n ws_connection = client(bma.ws.block)\n async w...
def x(func): args, varargs, keywords, defaults = inspect.getargspec(func) print(args) return dict(zip(reversed(args), reversed(defaults)))
get_default_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n args, varargs, keywords, defaults = inspect.getargspec(func)\n print(args)\n return dict(zip(reversed(args), reversed(defaults)))\n", "ro...
def x(func): args, varargs, keywords, defaults = inspect.getargspec(func) return tuple(args)
get_arg_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n args, varargs, keywords, defaults = inspect.getargspec(func)\n return tuple(args)\n", "role": "user" }, { "content": "get_arg_names"...
def x(fn): @wraps(fn) def x(*args, **kwargs): defaults = _get_default_args(fn) needed_types = {key: type(defaults[key]) for key in defaults} arg_names = _get_arg_names(fn) assert not len(arg_names) - len(fn.__defaults__ ), '{} needs default variables on all arguments'.format(fn.__name__ ) for i in range(len(args)): if args[i] not in kwargs.keys(): kwargs[arg_names[i]] = args[i] for name in needed_types: assert isinstance(kwargs[name], needed_types[name] ), 'got {} and expected a {}'.format(kwargs[name], needed_types[name]) return fn(**kwargs) return wrapper
strict_defaults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n @wraps(fn)\n def x(*args, **kwargs):\n defaults = _get_default_args(fn)\n needed_types = {key: type(defaults[key]) for key in defa...
def x(sender=None, userprofile=None, pk_set=None, subscribe=None, unsubscribe=None, verbose=None, email_enabled=None): response = None email_enabled = email_enabled or settings.EMAIL_ENABLED if email_enabled and site_notifications.loaded: if userprofile.email_notifications.through == sender: NotificationModel = django_apps.get_model( 'edc_notification.Notification') for notification_obj in NotificationModel.objects.filter(pk__in =list(pk_set), enabled=True): notification_cls = site_notifications.get(notification_obj.name ) notification = notification_cls() manager = MailingListManager(address=notification.email_to[ 0], display_name=notification.display_name, name= notification.name) response = manager.create(verbose=verbose) if subscribe: response = manager.subscribe(userprofile.user, verbose= verbose) elif unsubscribe: response = manager.unsubscribe(userprofile.user, verbose=verbose) return response
update_mailing_lists_in_m2m
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender=None, userprofile=None, pk_set=None, subscribe=None,\n unsubscribe=None, verbose=None, email_enabled=None):\n response = None\n email_enabled =...
def x(arg=()): def x(obj, arg): return obj.update(arg) or obj return update(defaultdict(superdict), arg)
superdict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arg=()):\n\n def x(obj, arg):\n return obj.update(arg) or obj\n return update(defaultdict(superdict), arg)\n", "role": "user" }, { "co...
def x(d, key): if not isinstance(d, dict): return None assert isinstance(key, str) or isinstance(key, list) keys = key.split('.') if isinstance(key, str) else key cdrs = cdr(keys) cars = car(keys) return rget(d.get(cars), cdrs) if cdrs else d.get(cars)
rget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, key):\n if not isinstance(d, dict):\n return None\n assert isinstance(key, str) or isinstance(key, list)\n keys = key.split('.') if isinstan...
def x(data): try: return pickle.loads(pickle.dumps(data)) except TypeError: return copy.deepcopy(data)
deepcopy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n try:\n return pickle.loads(pickle.dumps(data))\n except TypeError:\n return copy.deepcopy(data)\n", "role": "user" }, { ...
def x(data): import ujson try: return ujson.loads(ujson.dumps(data)) except Exception: return copy.deepcopy(data)
deepcp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n import ujson\n try:\n return ujson.loads(ujson.dumps(data))\n except Exception:\n return copy.deepcopy(data)\n", "role": "u...
def x(max_cache_size=1000): def x(f): def x(*args): try: return fn.cache[args] except KeyError: if fn.count >= max_cache_size: fn.cache = {} fn.count = 0 fn.cache[args] = result = f(*args) fn.count += 1 return result fn.cache = {} fn.count = 0 return fn return wrapper
memoizeArgsOnly
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_cache_size=1000):\n\n def x(f):\n\n def x(*args):\n try:\n return fn.cache[args]\n except KeyError:\n ...
def x(version_tuple): version_parts_list = [] for parts_tuple in itertools.imap(None, *([iter(version_tuple)] * 4)): version_part = ''.join(fn(x) for fn, x in zip(_denormalize_fn_list, parts_tuple)) if version_part: version_parts_list.append(version_part) return '.'.join(version_parts_list)
do_denormalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version_tuple):\n version_parts_list = []\n for parts_tuple in itertools.imap(None, *([iter(version_tuple)] * 4)):\n version_part = ''.join(fn(x) ...
def x(v1, v2): v1_norm = normalize(v1) v2_norm = normalize(v2) if v1_norm < v2_norm: return -1 if v1_norm > v2_norm: return 1 return 0
compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v1, v2):\n v1_norm = normalize(v1)\n v2_norm = normalize(v2)\n if v1_norm < v2_norm:\n return -1\n if v1_norm > v2_norm:\n return 1\n...
def x(self): if self.current_index is None: return None if len(self.revisions) > self.current_index: return self.revisions[self.current_index] return None
current_revision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.current_index is None:\n return None\n if len(self.revisions) > self.current_index:\n return self.revisions[self.current_i...
def x(self, revision_path): if not os.path.exists(revision_path): raise RuntimeError('revision file does not exist.') with open(revision_path, mode='r') as f: text = f.read() rev_strings = text.split('## ') for rev_string in rev_strings: if len(rev_string) == 0 or rev_string[:2] == '# ': continue try: revision = Revision() revision.parse(rev_string) except RuntimeError: raise RuntimeError('') self.insert(revision, len(self.revisions))
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, revision_path):\n if not os.path.exists(revision_path):\n raise RuntimeError('revision file does not exist.')\n with open(revision_path, mod...
def x(self, revision_id): index = 0 found = False for revision in self.revisions: if revision.revision_id == revision_id: self.current_index = index found = True index += 1 if not found: raise RuntimeError('')
checkout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, revision_id):\n index = 0\n found = False\n for revision in self.revisions:\n if revision.revision_id == revision_id:\n self.c...
def x(self, revision, index): if not isinstance(revision, Revision): raise InvalidArgType() for rev in self.revisions: if rev == revision: return self self.revisions.insert(index, revision) return self
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, revision, index):\n if not isinstance(revision, Revision):\n raise InvalidArgType()\n for rev in self.revisions:\n if rev == revision...
def x(pyast_node, node=None, node_cls=None, Node=Node, iter_fields=ast. iter_fields, AST=ast.AST): node_cls = node_cls or Node node = node or node_cls() name = pyast_node.__class__.__name__ attrs = [] for field, value in iter_fields(pyast_node): if name == 'Dict': for key, value in zip(pyast_node.keys, pyast_node.values): if isinstance(value, list): for item in value: if isinstance(item, AST): value = from_ast(item) elif isinstance(value, AST): value = from_ast(value) attrs.append((key.s, value)) else: if isinstance(value, list): for item in value: if isinstance(item, AST): value = from_ast(item) elif isinstance(value, AST): value = from_ast(value) attrs.append((field, value)) node.update(attrs, type=name) return node
from_ast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pyast_node, node=None, node_cls=None, Node=Node, iter_fields=ast.\n iter_fields, AST=ast.AST):\n node_cls = node_cls or Node\n node = node or node_cls...
def x(self, node, iter_fields=ast.iter_fields, AST=ast.AST): for field, value in iter_fields(node): if isinstance(value, list): for item in value: if isinstance(item, AST): self.visit(item) elif isinstance(value, AST): self.visit(value)
generic_visit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, iter_fields=ast.iter_fields, AST=ast.AST):\n for field, value in iter_fields(node):\n if isinstance(value, list):\n for item i...
def x(self, keys): badAttrsMsg = '' for k in keys: if k not in self.attrs: badAttrsMsg += "Attribute key '%s' is not a valid attribute" % k if badAttrsMsg: raise ValueError('Encountered invalid attributes. ALLOWED: %s%s%s' % (list(self.attrs), os.linesep, badAttrsMsg))
validateAttrs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys):\n badAttrsMsg = ''\n for k in keys:\n if k not in self.attrs:\n badAttrsMsg += \"Attribute key '%s' is not a valid attribu...
def x(self, ladderName): self.name = ladderName with open(self.filename, 'rb') as f: data = f.read() self.__dict__.update(json.loads(data))
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ladderName):\n self.name = ladderName\n with open(self.filename, 'rb') as f:\n data = f.read()\n self.__dict__.update(json.loads(data...
def x(self, attrs): self._validateAttrs(attrs) for k, v in attrs.items(): typecast = type(getattr(self, k)) if typecast == bool and v == 'False': newval = False else: newval = typecast(v.lower()) setattr(self, k, newval)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attrs):\n self._validateAttrs(attrs)\n for k, v in attrs.items():\n typecast = type(getattr(self, k))\n if typecast == bool and v == ...
def x(path, delimiter=';'): creates = [] updates = [] with open(path, mode='r') as infile: reader = csv.DictReader(infile, delimiter=str(delimiter)) with atomic(): for row in reader: row['point'] = Point(float(row['longitude']), float(row[ 'latitude'])) locality, created = Locality.objects.update_or_create(id= row['id'], defaults=row) if created: creates.append(locality) else: updates.append(locality) return creates, updates
import_localities
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, delimiter=';'):\n creates = []\n updates = []\n with open(path, mode='r') as infile:\n reader = csv.DictReader(infile, delimiter=str(deli...
def x(netid, subscription_codes): url = _netid_subscription_url(netid, subscription_codes) response = get_resource(url) return _json_to_subscriptions(response)
get_netid_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(netid, subscription_codes):\n url = _netid_subscription_url(netid, subscription_codes)\n response = get_resource(url)\n return _json_to_subscriptions(...
def x(subs_code, subscriptions): if subs_code and subscriptions: for subs in subscriptions: if subs.subscription_code == subs_code: return subs return None
select_subscription
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subs_code, subscriptions):\n if subs_code and subscriptions:\n for subs in subscriptions:\n if subs.subscription_code == subs_code:\n ...
def x(netid, subscription_code, status): url = _netid_subscription_url(netid, subscription_code) body = {'action': 'modify', 'value': str(status)} response = post_resource(url, json.dumps(body)) return _json_to_subscriptions(response)
modify_subscription_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(netid, subscription_code, status):\n url = _netid_subscription_url(netid, subscription_code)\n body = {'action': 'modify', 'value': str(status)}\n res...
def x(netid, action, subscription_code, data_field=None): url = '{0}/subscription.json'.format(url_version()) action_list = [] if isinstance(subscription_code, list): for code in subscription_code: action_list.append(_set_action(netid, action, code, data_field)) else: action_list.append(_set_action(netid, action, subscription_code, data_field)) body = {'actionList': action_list} response = post_resource(url, json.dumps(body)) return _json_to_subscription_post_response(response)
update_subscription
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(netid, action, subscription_code, data_field=None):\n url = '{0}/subscription.json'.format(url_version())\n action_list = []\n if isinstance(subscript...
def x(netid, subscription_codes): return '{0}/{1}/subscription/{2}'.format(url_base(), netid, ','.join([ str(n) for n in subscription_codes]) if isinstance( subscription_codes, (list, tuple)) else subscription_codes)
netid_subscription_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(netid, subscription_codes):\n return '{0}/{1}/subscription/{2}'.format(url_base(), netid, ','.join([\n str(n) for n in subscription_codes]) if isinst...
def x(response_body): data = json.loads(response_body) subscriptions = [] for subscription_data in data.get('subscriptionList', []): subscriptions.append(Subscription().from_json(data.get('uwNetID'), subscription_data)) return subscriptions
json_to_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response_body):\n data = json.loads(response_body)\n subscriptions = []\n for subscription_data in data.get('subscriptionList', []):\n subscrip...
def x(response_body): data = json.loads(response_body) response_list = [] for response_data in data.get('responseList', []): response_list.append(SubscriptionPostResponse().from_json(data.get( 'uwNetID'), response_data)) return response_list
json_to_subscription_post_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response_body):\n data = json.loads(response_body)\n response_list = []\n for response_data in data.get('responseList', []):\n response_list.ap...
def x(self, request, view): if view.suffix == 'Instance': return True filter_and_actions = self._get_filter_and_actions(request.query_params. get('sign'), view.action, '{}.{}'.format(view.queryset.model._meta. app_label, view.queryset.model._meta.model_name)) if not filter_and_actions: return False if request.method == 'POST': for key, value in request.data.iteritems(): if key in filter_and_actions['filters'] and not unicode( filter_and_actions['filters'][key]) == unicode(value): return False return True
has_permission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, view):\n if view.suffix == 'Instance':\n return True\n filter_and_actions = self._get_filter_and_actions(request.query_params.\n ...
def x(self, request, view, obj=None): filter_and_actions = self._get_filter_and_actions(request.query_params. get('sign'), view.action, '{}.{}'.format(obj._meta.app_label, obj. _meta.model_name)) if not filter_and_actions: return False qs = view.queryset.filter(**filter_and_actions['filters']) return qs.filter(id=obj.id).exists()
has_object_permission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, view, obj=None):\n filter_and_actions = self._get_filter_and_actions(request.query_params.\n get('sign'), view.action, '{}.{}'.format(...
def x(self, *args, **kwargs): rval = self.add_argument(*args, **kwargs) self.file_args.append(rval) return rval
add_file_argument
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n rval = self.add_argument(*args, **kwargs)\n self.file_args.append(rval)\n return rval\n", "role": "user" }, { "c...
def x(self, *args, **kwargs): defhelp = kwargs.pop('help', None) defaults = kwargs.pop('default', None) default = defaults if self.use_defaults else None if not defhelp or default is None or kwargs.get('action') == 'help': return super().add_argument(*args, help=defhelp, default=default, **kwargs) else: return super().add_argument(*args, help=defhelp + ' (default: {})'. format(default), default=default, **kwargs)
add_argument
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n defhelp = kwargs.pop('help', None)\n defaults = kwargs.pop('default', None)\n default = defaults if self.use_defaults else N...
def x(self, argv: List[str]) ->List[str]: for i in range(0, len(argv) - 1): if argv[i] == '--conf': del argv[i] conf_file = argv[i] del argv[i] with open(conf_file) as config_file: conf_args = shlex.split(config_file.read()) argv = self.fix_rel_paths(conf_args, conf_file) + argv return self.decode_file_args(argv) return argv
decode_file_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, argv: List[str]) ->List[str]:\n for i in range(0, len(argv) - 1):\n if argv[i] == '--conf':\n del argv[i]\n conf_file = a...
def x(p): p[0] = model.Interface(name=p[2], parent=p[3], members=p[5])
p_Interface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Interface(name=p[2], parent=p[3], members=p[5])\n", "role": "user" }, { "content": "p_Interface", "role": "assistant" }...
def x(p): p[0] = model.Dictionary(name=p[2], parent=p[3], members=p[5])
p_Dictionary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Dictionary(name=p[2], parent=p[3], members=p[5])\n", "role": "user" }, { "content": "p_Dictionary", "role": "assistant" ...
def x(p): p[0] = model.DictionaryMember(type=p[1], name=p[2], default=p[3])
p_DictionaryMember
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.DictionaryMember(type=p[1], name=p[2], default=p[3])\n", "role": "user" }, { "content": "p_DictionaryMember", "role": "as...
def x(p): p[0] = model.Value(type=model.Value.STRING, value=p[1])
p_DefaultValue_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Value(type=model.Value.STRING, value=p[1])\n", "role": "user" }, { "content": "p_DefaultValue_string", "role": "assistant...
def x(p): p[0] = model.Exception(name=p[2], parent=p[3], members=p[5])
p_Exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Exception(name=p[2], parent=p[3], members=p[5])\n", "role": "user" }, { "content": "p_Exception", "role": "assistant" }...
def x(p): p[0] = model.Callback(name=p[1], return_type=p[3], arguments=p[5])
p_CallbackRest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Callback(name=p[1], return_type=p[3], arguments=p[5])\n", "role": "user" }, { "content": "p_CallbackRest", "role": "assis...
def x(p): p[0] = model.Typedef(type_extended_attributes=p[2], type=p[3], name=p[4])
p_Typedef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Typedef(type_extended_attributes=p[2], type=p[3], name=p[4])\n", "role": "user" }, { "content": "p_Typedef", "role": "ass...
def x(p): p[0] = model.Const(type=p[2], name=p[3], value=p[5])
p_Const
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Const(type=p[2], name=p[3], value=p[5])\n", "role": "user" }, { "content": "p_Const", "role": "assistant" } ]
def x(p): p[0] = model.Value(type=model.Value.BOOLEAN, value=p[1])
p_ConstValue_boolean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Value(type=model.Value.BOOLEAN, value=p[1])\n", "role": "user" }, { "content": "p_ConstValue_boolean", "role": "assistant...
def x(p): p[0] = model.Value(type=model.Value.INTEGER, value=p[1])
p_ConstValue_integer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Value(type=model.Value.INTEGER, value=p[1])\n", "role": "user" }, { "content": "p_ConstValue_integer", "role": "assistant...
def x(p): p[0] = model.Value(type=model.Value.FLOAT, value=p[1])
p_ConstValue_float
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Value(type=model.Value.FLOAT, value=p[1])\n", "role": "user" }, { "content": "p_ConstValue_float", "role": "assistant" ...
def x(p): p[0] = model.Value(type=model.Value.NULL, value=p[1])
p_ConstValue_null
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Value(type=model.Value.NULL, value=p[1])\n", "role": "user" }, { "content": "p_ConstValue_null", "role": "assistant" } ...
def x(p): p[0] = model.Attribute(inherit=p[1], readonly=p[2], type=p[4], name=p[5])
p_Attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Attribute(inherit=p[1], readonly=p[2], type=p[4], name=p[5])\n", "role": "user" }, { "content": "p_Attribute", "role": "a...
def x(p): p[0] = model.Operation(return_type=p[1], name=p[2], arguments=p[4])
p_OperationRest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.Operation(return_type=p[1], name=p[2], arguments=p[4])\n", "role": "user" }, { "content": "p_OperationRest", "role": "ass...
def x(p): p[0] = model.OperationArgument(type=p[2], name=p[3], optional=True, default=p[4])
p_OptionalOrRequiredArgument_optional
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.OperationArgument(type=p[2], name=p[3], optional=True,\n default=p[4])\n", "role": "user" }, { "content": "p_OptionalO...
def x(p): p[0] = model.OperationArgument(type=p[1], ellipsis=p[2], name=p[3])
p_OptionalOrRequiredArgument
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.OperationArgument(type=p[1], ellipsis=p[2], name=p[3])\n", "role": "user" }, { "content": "p_OptionalOrRequiredArgument", ...
def x(p): p[0] = helper.unwrapTypeSuffix(model.SimpleType(model.SimpleType.ANY), p[2] )
p_SingleType_any
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = helper.unwrapTypeSuffix(model.SimpleType(model.SimpleType.ANY), p[2]\n )\n", "role": "user" }, { "content": "p_SingleType_an...
def x(p): t = [p[2]] + [p[4]] + p[5] p[0] = model.UnionType(t=t)
p_UnionType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n t = [p[2]] + [p[4]] + p[5]\n p[0] = model.UnionType(t=t)\n", "role": "user" }, { "content": "p_UnionType", "role": "assistant" } ...
def x(p): p[0] = helper.unwrapTypeSuffix(model.Array(t=model.SimpleType(type= model.SimpleType.ANY)), p[4])
p_UnionMemberType_anyType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = helper.unwrapTypeSuffix(model.Array(t=model.SimpleType(type=\n model.SimpleType.ANY)), p[4])\n", "role": "user" }, { "conten...
def x(p): p[0] = helper.unwrapTypeSuffix(model.SimpleType(type=model.SimpleType. DOMSTRING), p[2])
p_NonAnyType_domString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = helper.unwrapTypeSuffix(model.SimpleType(type=model.SimpleType.\n DOMSTRING), p[2])\n", "role": "user" }, { "content": "p_No...
def x(p): p[0] = helper.unwrapTypeSuffix(model.InterfaceType(name=p[1]), p[2])
p_NonAnyType_interface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = helper.unwrapTypeSuffix(model.InterfaceType(name=p[1]), p[2])\n", "role": "user" }, { "content": "p_NonAnyType_interface", "rol...
def x(p): p[0] = helper.unwrapTypeSuffix(model.SimpleType(type=model.SimpleType. OBJECT), p[2])
p_NonAnyType_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = helper.unwrapTypeSuffix(model.SimpleType(type=model.SimpleType.\n OBJECT), p[2])\n", "role": "user" }, { "content": "p_NonAn...
def x(p): p[0] = helper.unwrapTypeSuffix(model.SimpleType(type=model.SimpleType. DATE), p[2])
p_NonAnyType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = helper.unwrapTypeSuffix(model.SimpleType(type=model.SimpleType.\n DATE), p[2])\n", "role": "user" }, { "content": "p_NonAnyT...
def x(p): p[0] = model.ExtendedAttribute(value=model.ExtendedAttributeValue(name= p[1]))
p_ExtendedAttributeNoArgs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.ExtendedAttribute(value=model.ExtendedAttributeValue(name=\n p[1]))\n", "role": "user" }, { "content": "p_ExtendedAttr...
def x(p): p[0] = model.ExtendedAttribute(value=model.ExtendedAttributeValue(name= p[1], arguments=p[3]))
p_ExtendedAttributeArgList
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.ExtendedAttribute(value=model.ExtendedAttributeValue(name=\n p[1], arguments=p[3]))\n", "role": "user" }, { "content":...
def x(p): p[0] = model.ExtendedAttribute(name=p[1], value=model. ExtendedAttributeValue(name=p[3]))
p_ExtendedAttributeIdent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.ExtendedAttribute(name=p[1], value=model.\n ExtendedAttributeValue(name=p[3]))\n", "role": "user" }, { "content": "p_E...
def x(p): p[0] = model.ExtendedAttribute(name=p[1], value=model. ExtendedAttributeValue(name=p[3], arguments=p[5]))
p_ExtendedAttributeNamedArgList
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n p[0] = model.ExtendedAttribute(name=p[1], value=model.\n ExtendedAttributeValue(name=p[3], arguments=p[5]))\n", "role": "user" }, { ...
def x(self): self.str_desc = '' self.__name__ = 'pfdicom' self.str_version = '1.6.0' self.str_workingDir = '' self.str_inputDir = '' self.str_inputFile = '' self.str_extension = '' self.str_outputFileStem = '' self.str_ouptutDir = '' self.str_outputLeafDir = '' self.maxDepth = -1 self.pf_tree = None self.numThreads = 1 self.str_stdout = '' self.str_stderr = '' self.exitCode = 0 self.b_json = False self.b_followLinks = False self.dcm = None self.d_dcm = {} self.strRaw = '' self.l_tagRaw = [] self.d_dicom = {} self.d_dicomSimple = {} self.tic_start = None self.dp = None self.log = None self.tic_start = 0.0 self.pp = pprint.PrettyPrinter(indent=4) self.verbosityLevel = 1
declare_selfvars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.str_desc = ''\n self.__name__ = 'pfdicom'\n self.str_version = '1.6.0'\n self.str_workingDir = ''\n self.str_inputDir = ''\n se...
def x(self, *args, **kwargs): b_status = True str_error = '' if not len(self.str_outputDir): b_status = False str_error = 'output directory not specified.' self.dp.qprint(str_error, comms='error') error.warn(self, 'outputDirFail', drawBox=True) return {'status': b_status, 'str_error': str_error}
env_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n b_status = True\n str_error = ''\n if not len(self.str_outputDir):\n b_status = False\n str_error = 'output di...
def x(self, d_DICOM, astr, *args, **kwargs): b_tagsFound = False str_replace = '' l_tags = [] l_tagsToSub = [] l_funcTag = [] l_args = [] func = '' tag = '' chars = '' if '%' in astr: l_tags = astr.split('%')[1:] l_tagsToSub = [i for i in d_DICOM['l_tagRaw'] if any(i in b for b in l_tags)] l_tagsToSubSort = sorted(l_tagsToSub, key=lambda x: [i for i, s in enumerate(l_tags) if x in s][0]) for tag, func in zip(l_tagsToSubSort, l_tags): b_tagsFound = True str_replace = d_DICOM['d_dicomSimple'][tag] if 'md5' in func: str_replace = hashlib.md5(str_replace.encode('utf-8') ).hexdigest() l_funcTag = func.split('_')[1:] func = l_funcTag[0] l_args = func.split('|') if len(l_args) > 1: chars = l_args[1] str_replace = str_replace[0:int(chars)] astr = astr.replace('_%s_' % func, '') if 'strmsk' in func: l_funcTag = func.split('_')[1:] func = l_funcTag[0] str_msk = func.split('|')[1] l_n = [] for i, j in zip(list(str_replace), list(str_msk)): if j == '*': l_n.append(i) else: l_n.append(j) str_replace = ''.join(l_n) astr = astr.replace('_%s_' % func, '') if 'nospc' in func: l_funcTag = func.split('_')[1:] func = l_funcTag[0] l_args = func.split('|') str_char = '' if len(l_args) > 1: str_char = l_args[1] str_replace = re.sub('\\W+', ' ', str_replace) str_replace = str_char.join(str_replace.split()) astr = astr.replace('_%s_' % func, '') astr = astr.replace('%' + tag, str_replace) return {'status': True, 'b_tagsFound': b_tagsFound, 'str_result': astr}
tagsInString_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d_DICOM, astr, *args, **kwargs):\n b_tagsFound = False\n str_replace = ''\n l_tags = []\n l_tagsToSub = []\n l_funcTag = []\n l_args = ...
def x(self, *args, **kwargs): b_status = False l_tags = [] l_tagsToUse = [] d_tagsInString = {} str_file = '' d_DICOM = {'dcm': None, 'd_dcm': {}, 'strRaw': '', 'l_tagRaw': [], 'd_json': {}, 'd_dicom': {}, 'd_dicomSimple': {}} for k, v in kwargs.items(): if k == 'file': str_file = v if k == 'l_tagsToUse': l_tags = v if len(args): l_file = args[0] str_file = l_file[0] str_localFile = os.path.basename(str_file) str_path = os.path.dirname(str_file) try: d_DICOM['dcm'] = dicom.read_file(str_file) b_status = True except: self.dp.qprint('In directory: %s' % os.getcwd(), comms='error') self.dp.qprint('Failed to read %s' % str_file, comms='error') b_status = False d_DICOM['d_dcm'] = dict(d_DICOM['dcm']) d_DICOM['strRaw'] = str(d_DICOM['dcm']) d_DICOM['l_tagRaw'] = d_DICOM['dcm'].dir() if len(l_tags): l_tagsToUse = l_tags else: l_tagsToUse = d_DICOM['l_tagRaw'] if 'PixelData' in l_tagsToUse: l_tagsToUse.remove('PixelData') for key in l_tagsToUse: d_DICOM['d_dicom'][key] = d_DICOM['dcm'].data_element(key) try: d_DICOM['d_dicomSimple'][key] = getattr(d_DICOM['dcm'], key) except: d_DICOM['d_dicomSimple'][key] = 'no attribute' d_DICOM['d_json'][key] = str(d_DICOM['d_dicomSimple'][key]) d_tagsInString = self.tagsInString_process(d_DICOM, self.str_outputFileStem ) str_outputFile = d_tagsInString['str_result'] return {'status': b_status, 'inputPath': str_path, 'inputFilename': str_localFile, 'outputFileStem': str_outputFile, 'd_DICOM': d_DICOM, 'l_tagsToUse': l_tagsToUse}
DICOMfile_read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n b_status = False\n l_tags = []\n l_tagsToUse = []\n d_tagsInString = {}\n str_file = ''\n d_DICOM = {'dcm': None, '...
def x(self, at_data, *args, **kwargs): b_status = True l_file = [] str_path = at_data[0] al_file = at_data[1] if len(self.str_extension): al_file = [x for x in al_file if self.str_extension in x] if len(al_file): al_file.sort() l_file = al_file b_status = True else: self.dp.qprint('No valid files to analyze found in path %s!' % str_path, comms='error', level=3) l_file = None b_status = False return {'status': b_status, 'l_file': l_file}
filelist_prune
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, at_data, *args, **kwargs):\n b_status = True\n l_file = []\n str_path = at_data[0]\n al_file = at_data[1]\n if len(self.str_extension):\n ...
def x(self, d_ret, **kwargs): b_print = True for k, v in kwargs.items(): if k == 'JSONprint': b_print = bool(v) if b_print: print(json.dumps(d_ret, indent=4, sort_keys=True))
ret_dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d_ret, **kwargs):\n b_print = True\n for k, v in kwargs.items():\n if k == 'JSONprint':\n b_print = bool(v)\n if b_print:\n ...