source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(nb_threads, suffix='', decimals=1, length=15, fill='█'): string = '' for k in range(nb_threads): try: threads_state = eval(read_file('threads_state_%s' % str(k))) except SyntaxError: time.sleep(0.001) try: threads_state = eval(read_file('threads_state_%s' % str(k))) except SyntaxError: pass iteration = threads_state['iteration'] total = threads_state['total'] percent = ('{0:.' + str(decimals) + 'f}').format(100 * (iteration / float(total))) prefix = 'Thread %s :' % str(k) string = string + '%s %s%% ' % (prefix, percent) print(string + ' ' + suffix)
print_progress_bar_multi_threads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nb_threads, suffix='', decimals=1, length=15, fill='█'):\n string = ''\n for k in range(nb_threads):\n try:\n threads_state = eval(read...
def x(target): log.info('Uploading to pypi server <33>{}'.format(target)) with conf.within_proj_dir(): shell.run('python setup.py sdist register -r "{}"'.format(target)) shell.run('python setup.py sdist upload -r "{}"'.format(target))
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target):\n log.info('Uploading to pypi server <33>{}'.format(target))\n with conf.within_proj_dir():\n shell.run('python setup.py sdist register -...
def x(username=None, password=None): path = join(conf.getenv('HOME'), '.pypirc') username = username or conf.getenv('PYPI_USER', None) password = password or conf.getenv('PYPI_PASS', None) if username is None or password is None: log.err('You must provide $PYPI_USER and $PYPI_PASS') sys.exit(1) log.info('Generating <94>{}'.format(path)) fs.write_file(path, util.remove_indent( """ [distutils] index-servers = pypi [pypi] repository: https://upload.pypi.org/legacy/ username: {username} password: {password} """ .format(username=username, password=password)))
gen_pypirc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username=None, password=None):\n path = join(conf.getenv('HOME'), '.pypirc')\n username = username or conf.getenv('PYPI_USER', None)\n password = pass...
def x(filename, directory=None): if directory is None: directory = utils.get_undecorated_calling_module() if os.getcwd() not in ['/output']: directory = directory[len(os.getcwd()) + 1:] file_path = os.path.join(directory, filename) if os.path.isfile(file_path + '.sdf.gz'): return file_path + '.sdf.gz' elif os.path.isfile(file_path + '.sdf'): return file_path + '.sdf' return None
pick_sdf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, directory=None):\n if directory is None:\n directory = utils.get_undecorated_calling_module()\n if os.getcwd() not in ['/output']:\n...
def x(): log = logging.getLogger(mod_logger + '.main') parser = argparse.ArgumentParser(description= 'This Python module allows sending Slack messages.') parser.add_argument('-u', '--url', help='Slack webhook URL', required=True) parser.add_argument('-t', '--text', help='Text of the message', required=True) parser.add_argument('-n', '--channel', help='Slack channel', required=True) parser.add_argument('-i', '--icon', help='URL for the Slack icon', required=False) parser.add_argument('-c', '--color', help='Color of the Slack post', required=False) parser.add_argument('-a', '--attachment', help= 'Text for the Slack Attachment', required=False) parser.add_argument('-p', '--pretext', help= 'Pretext for the Slack attachment', required=False) args = parser.parse_args() try: slack_msg = SlackMessage(args.url, channel=args.channel, icon_url= args.icon, text=args.text) except ValueError as e: msg = 'Unable to create slack message\n{ex}'.format(ex=e) log.error(msg) print(msg) return if args.attachment: try: slack_att = SlackAttachment(fallback=args.attachment, color= args.color, pretext=args.pretext, text=args.attachment) except ValueError: _, ex, trace = sys.exc_info() log.error('Unable to create slack attachment\n{e}'.format(e=str (ex))) return slack_msg.add_attachment(slack_att) try: slack_msg.send() except (TypeError, ValueError, IOError): _, ex, trace = sys.exc_info() log.error('Unable to send Slack message\n{e}'.format(e=str(ex))) return log.debug('Your message has been Slacked successfully!')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n log = logging.getLogger(mod_logger + '.main')\n parser = argparse.ArgumentParser(description=\n 'This Python module allows sending Slack mess...
def x(self, text): log = logging.getLogger(self.cls_logger + '.set_text') if not isinstance(text, basestring): msg = 'text arg must be a string' log.error(msg) raise ValueError(msg) self.payload['text'] = text log.debug('Set message text to: {t}'.format(t=text))
set_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n log = logging.getLogger(self.cls_logger + '.set_text')\n if not isinstance(text, basestring):\n msg = 'text arg must be a string'\n...
def x(self, icon_url): log = logging.getLogger(self.cls_logger + '.set_icon') if not isinstance(icon_url, basestring): msg = 'icon_url arg must be a string' log.error(msg) raise ValueError(msg) self.payload['icon_url'] = icon_url log.debug('Set Icon URL to: {u}'.format(u=icon_url))
set_icon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, icon_url):\n log = logging.getLogger(self.cls_logger + '.set_icon')\n if not isinstance(icon_url, basestring):\n msg = 'icon_url arg must be...
def x(self, attachment): log = logging.getLogger(self.cls_logger + '.add_attachment') if not isinstance(attachment, SlackAttachment): msg = 'attachment must be of type: SlackAttachment' log.error(msg) raise ValueError(msg) self.attachments.append(attachment.attachment) log.debug('Added attachment: {a}'.format(a=attachment))
add_attachment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attachment):\n log = logging.getLogger(self.cls_logger + '.add_attachment')\n if not isinstance(attachment, SlackAttachment):\n msg = 'attac...
def x(self): log = logging.getLogger(self.cls_logger + '.send_cons3rt_agent_logs') log.debug('Searching for log files in directory: {d}'.format(d=self.dep .cons3rt_agent_log_dir)) for item in os.listdir(self.dep.cons3rt_agent_log_dir): item_path = os.path.join(self.dep.cons3rt_agent_log_dir, item) if os.path.isfile(item_path): log.debug( 'Adding slack attachment with cons3rt agent log file: {f}'. format(f=item_path)) try: with open(item_path, 'r') as f: file_text = f.read() except (IOError, OSError) as e: log.warn('There was a problem opening file: {f}\n{e}'. format(f=item_path, e=e)) continue file_text_trimmed = file_text[-7000:] attachment = SlackAttachment(fallback=file_text_trimmed, text= file_text_trimmed, color='#9400D3') self.add_attachment(attachment) self.send()
send_cons3rt_agent_logs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.send_cons3rt_agent_logs')\n log.debug('Searching for log files in directory: {d}'.format(d=self.dep\...
def x(project, version, promote, quiet): from . import logic logic.deploy(project, version, promote, quiet)
deploy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project, version, promote, quiet):\n from . import logic\n logic.deploy(project, version, promote, quiet)\n", "role": "user" }, { "content": ...
def x(port, admin_port, clear): from . import logic logic.devserver(port, admin_port, clear)
devserver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(port, admin_port, clear):\n from . import logic\n logic.devserver(port, admin_port, clear)\n", "role": "user" }, { "content": "devserver", ...
def x(spec, sig): sig = sig.clip(0.01) p = int(np.ceil(np.max(3 * sig))) m = 2 * p + 1 x2 = np.linspace(-p, p, m) ** 2 n = spec.size a = np.zeros((m, n)) for j in range(m): indices = n - m + j + 1 a[j, :] = spec a[j, p:-p] = spec[j:n - m + j + 1] gau = np.exp(-x2[:, None] / (2 * sig ** 2)) gau /= np.sum(gau, 0)[None, :] conv_spectrum = np.sum(a * gau, 0) return conv_spectrum
gaussian_filter1d_ppxf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, sig):\n sig = sig.clip(0.01)\n p = int(np.ceil(np.max(3 * sig)))\n m = 2 * p + 1\n x2 = np.linspace(-p, p, m) ** 2\n n = spec.size\n a ...
def x(self, step): for plugin in self.plugins: try: getattr(plugin, step)() except AttributeError: self.logger.debug("{} doesn't exist on plugin {}".format(step, plugin)) except TypeError: self.logger.debug('{} on plugin {} is not callable'.format(step, plugin))
call_plugins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, step):\n for plugin in self.plugins:\n try:\n getattr(plugin, step)()\n except AttributeError:\n self.logger.debug...
def x(self): self.call_plugins('on_run') if vars(self.arguments).get('version', None): self.logger.info('{app_name}: {version}'.format(app_name=self. app_name, version=self.version)) elif self.arguments.command == 'main': self.main() else: self.subcommands[self.arguments.command].run() self.call_plugins('on_end')
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.call_plugins('on_run')\n if vars(self.arguments).get('version', None):\n self.logger.info('{app_name}: {version}'.format(app_name=se...
def x(fn): def x(ctx, param, value): from peltak.core import context from peltak.core import shell context.set('pretend', value or False) if value: shell.cprint('<90>{}', _pretend_msg()) return click.option('--pretend', is_flag=True, help= 'Do not actually do anything, just print shell commands thatwould be executed.' , expose_value=False, callback=set_pretend)(fn)
pretend_option
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n def x(ctx, param, value):\n from peltak.core import context\n from peltak.core import shell\n context.set('pretend', value or ...
def x(fn): def x(ctx, param, value): from peltak.core import context context.set('verbose', value or 0) return click.option('-v', '--verbose', is_flag=True, expose_value=False, callback=set_verbose, help= 'Be verbose. Can specify multiple times for more verbosity.')(fn)
verbose_option
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n def x(ctx, param, value):\n from peltak.core import context\n context.set('verbose', value or 0)\n return click.option('-v', '--ve...
def x(): versions = [x for x in git.tags() if versioning.is_valid(x[1:])] cmd = 'git log --format=%H' if versions: cmd += ' {}..HEAD'.format(versions[-1]) hashes = shell.run(cmd, capture=True).stdout.strip().splitlines() commits = [git.CommitDetails.get(h) for h in hashes] tags = conf.get('changelog.tags', [{'header': 'Features', 'tag': 'feature'}, {'header': 'Changes', 'tag': 'change'}, {'header': 'Fixes', 'tag': 'fix'}]) results = OrderedDict((x['header'], []) for x in tags) for commit in commits: commit_items = extract_changelog_items(commit.desc, tags) for header, items in commit_items.items(): results[header] += items lines = ['<35>v{}<0>'.format(versioning.current()), ''] for header, items in results.items(): if items: lines += ['', '<32>{}<0>'.format(header), '<32>{}<0>'.format( '-' * len(header)), ''] for item_text in items: item_lines = textwrap.wrap(item_text, 77) lines += ['- {}'.format('\n '.join(item_lines))] lines += [''] return '\n'.join(lines)
changelog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n versions = [x for x in git.tags() if versioning.is_valid(x[1:])]\n cmd = 'git log --format=%H'\n if versions:\n cmd += ' {}..HEAD'.format(...
def x(text, tags): patterns = {x['header']: tag_re(x['tag']) for x in tags} items = {x['header']: [] for x in tags} curr_tag = None curr_text = '' for line in text.splitlines(): if not line.strip(): if curr_tag is not None: items[curr_tag].append(curr_text) curr_text = '' curr_tag = None for tag in tags: m = patterns[tag['header']].match(line) if m: if curr_tag is not None: items[curr_tag].append(curr_text) curr_text = '' curr_tag = tag['header'] line = m.group('text') break if curr_tag is not None: curr_text = '{} {}'.format(curr_text.strip(), line.strip()).strip() if curr_tag is not None: items[curr_tag].append(curr_text) return items
extract_changelog_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, tags):\n patterns = {x['header']: tag_re(x['tag']) for x in tags}\n items = {x['header']: [] for x in tags}\n curr_tag = None\n curr_text = '...
def x(mcs): if mcs._generated_class is None: mcs._generated_class = type(mcs._cls_name, tuple(mcs._base_classes), {'_generated': True}) return mcs._generated_class
get_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mcs):\n if mcs._generated_class is None:\n mcs._generated_class = type(mcs._cls_name, tuple(mcs._base_classes),\n {'_generated': True})\n ...
def x(mcs, cls): if getattr(mcs, '_base_classes_hash', None) is not None: meta = getattr(cls, 'Meta', None) _hash = getattr(meta, mcs._hashattr, None) if _hash is None and cls not in mcs._get_base_classes(): mcs._base_classes.insert(0, cls) mcs._generated_class = {} elif _hash is not None and cls not in mcs._get_base_classes(_hash): mcs._base_classes_hash[_hash].insert(0, cls) mcs._generated_class[_hash] = None
add_base_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mcs, cls):\n if getattr(mcs, '_base_classes_hash', None) is not None:\n meta = getattr(cls, 'Meta', None)\n _hash = getattr(meta, mcs._hashatt...
def x(mcs, name, default=False): if default is False and name not in mcs._base_classes_hash: raise ValueError("There is no class registered for key '%s'" % name) if mcs._generated_class.get(name, None) is None: cls = type(mcs._cls_name, tuple(mcs._get_base_classes(name)), { '_generated': True}) mcs._generated_class[name] = cls return mcs._generated_class[name]
get_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mcs, name, default=False):\n if default is False and name not in mcs._base_classes_hash:\n raise ValueError(\"There is no class registered for key '%...
def x(mcs): return [k for k, v in six.iteritems(mcs._base_classes_hash) if v]
get_registered_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mcs):\n return [k for k, v in six.iteritems(mcs._base_classes_hash) if v]\n", "role": "user" }, { "content": "get_registered_names", "role":...
def x(t: datetime) ->int: tn = t + timedelta(days=32) tn = datetime(year=tn.year, month=tn.month, day=1) tt = tn - timedelta(hours=1) return tt.day
get_last_day_of_month
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t: datetime) ->int:\n tn = t + timedelta(days=32)\n tn = datetime(year=tn.year, month=tn.month, day=1)\n tt = tn - timedelta(hours=1)\n return tt.d...
def x(begin: datetime, end: datetime, tz=None) ->(datetime, datetime): if not tz: tz = pytz.utc return tz.localize(begin), tz.localize(end)
localize_time_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(begin: datetime, end: datetime, tz=None) ->(datetime, datetime):\n if not tz:\n tz = pytz.utc\n return tz.localize(begin), tz.localize(end)\n", ...
def x(today: datetime=None, tz=None): if today is None: today = datetime.utcnow() begin = today - timedelta(days=today.weekday()) begin = datetime(year=begin.year, month=begin.month, day=begin.day) return localize_time_range(begin, begin + timedelta(days=7), tz)
this_week
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n begin = today - timedelta(days=today.weekday())\n begin = dat...
def x(today: datetime=None, tz=None): if today is None: today = datetime.utcnow() begin = datetime(day=1, month=today.month, year=today.year) end = begin + timedelta(days=32) end = datetime(day=1, month=end.month, year=end.year) return localize_time_range(begin, end, tz)
this_month
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n begin = datetime(day=1, month=today.month, year=today.year)\n ...
def x(today: datetime=None, tz=None): if today is None: today = datetime.utcnow() begin = datetime(day=1, month=today.month, year=today.year) next_mo = begin + timedelta(days=32) begin = datetime(day=1, month=next_mo.month, year=next_mo.year) following_mo = begin + timedelta(days=32) end = datetime(day=1, month=following_mo.month, year=following_mo.year) return localize_time_range(begin, end, tz)
next_month
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n begin = datetime(day=1, month=today.month, year=today.year)\n ...
def x(today: datetime=None, tz=None): if today is None: today = datetime.utcnow() end = datetime(day=1, month=1, year=today.year) end_incl = end - timedelta(seconds=1) begin = datetime(day=1, month=1, year=end_incl.year) return localize_time_range(begin, end, tz)
last_year
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n end = datetime(day=1, month=1, year=today.year)\n end_incl = ...
def x(t: datetime, n: int=1) ->datetime: t2 = t for count in range(abs(n)): if n > 0: t2 = datetime(year=t2.year, month=t2.month, day=1) + timedelta(days =32) else: t2 = datetime(year=t2.year, month=t2.month, day=1) - timedelta(days =2) try: t2 = t.replace(year=t2.year, month=t2.month) except Exception: first, last = monthrange(t2.year, t2.month) t2 = t.replace(year=t2.year, month=t2.month, day=last) return t2
add_month
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t: datetime, n: int=1) ->datetime:\n t2 = t\n for count in range(abs(n)):\n if n > 0:\n t2 = datetime(year=t2.year, month=t2.month, day...
def x(start: datetime, end: datetime, delta: timedelta): curr = start while curr < end: curr_end = curr + delta yield curr, curr_end curr = curr_end
per_delta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start: datetime, end: datetime, delta: timedelta):\n curr = start\n while curr < end:\n curr_end = curr + delta\n yield curr, curr_end\n ...
def x(start: datetime, end: datetime, n: int=1): curr = start.replace(day=1, hour=0, minute=0, second=0, microsecond=0) while curr < end: curr_end = add_month(curr, n) yield curr, curr_end curr = curr_end
per_month
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start: datetime, end: datetime, n: int=1):\n curr = start.replace(day=1, hour=0, minute=0, second=0, microsecond=0)\n while curr < end:\n curr_end...
def x() ->List[str]: requirements_path = os.path.join(os.path.dirname(__file__), 'requirements.txt') with open(requirements_path) as f: return f.read().split()
get_requirements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->List[str]:\n requirements_path = os.path.join(os.path.dirname(__file__),\n 'requirements.txt')\n with open(requirements_path) as f:\n r...
def x(): from peltak.core import conf from peltak.core import shell for dep in sorted(conf.requirements): shell.cprint(dep)
project_dev_requirements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from peltak.core import conf\n from peltak.core import shell\n for dep in sorted(conf.requirements):\n shell.cprint(dep)\n", "role": "...
def x(method, called_params): insp = inspect.getfullargspec(method) if not isinstance(called_params, dict): raise UserWarning() _called_params = called_params.copy() params = {} arg_count = len(insp.args) arg_def_count = len(insp.defaults) if insp.defaults is not None else 0 for i in range(arg_count): arg = insp.args[i] if i == 0 and isinstance(method, types.MethodType): continue if arg in _called_params: params[arg] = _called_params.pop(arg) elif i - arg_count + arg_def_count >= 0: params[arg] = insp.defaults[i - arg_count + arg_def_count] else: raise TypeError('Argument "%s" not given' % arg) for kwarg in insp.kwonlyargs: if kwarg in _called_params: params[kwarg] = _called_params.pop(kwarg) elif kwarg in insp.kwonlydefaults: params[kwarg] = insp.kwonlydefaults[kwarg] else: raise TypeError('Argument "%s" not given' % kwarg) if insp.varkw is None: if len(_called_params) > 0: raise TypeError('Got unexpected parameter(s): %s' % ', '.join( _called_params)) else: params.update(_called_params) return params
get_func_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method, called_params):\n insp = inspect.getfullargspec(method)\n if not isinstance(called_params, dict):\n raise UserWarning()\n _called_param...
def x(dsn, default_port=5432, protocol='http://'): parsed = urlparse(protocol + dsn) return [parsed.hostname or 'localhost', parsed.port or default_port, unquote(parsed.username) if parsed.username is not None else getuser(), unquote(parsed.password) if parsed.password is not None else None, parsed.path.lstrip('/')]
parse_dsn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dsn, default_port=5432, protocol='http://'):\n parsed = urlparse(protocol + dsn)\n return [parsed.hostname or 'localhost', parsed.port or default_port, \...
def x(): registry = conf.get('docker.registry') docker_images = conf.get('docker.images', []) for image in docker_images: build_image(registry, image)
build_images
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n registry = conf.get('docker.registry')\n docker_images = conf.get('docker.images', [])\n for image in docker_images:\n build_image(registr...
def x(): registry = conf.get('docker.registry') docker_images = conf.get('docker.images', []) if registry is None: log.err('You must define docker.registry conf variable to push images') sys.exit(-1) for image in docker_images: push_image(registry, image)
push_images
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n registry = conf.get('docker.registry')\n docker_images = conf.get('docker.images', [])\n if registry is None:\n log.err('You must define d...
def x(registry_pass): registry = conf.get('docker.registry', None) if registry is None: log.err('You must define docker.registry conf variable to list images') sys.exit(-1) registry_user = conf.get('docker.registry_user', None) if registry_user is None: registry_user = click.prompt('Username') rc = client.RegistryClient(registry, registry_user, registry_pass) images = {x: rc.list_tags(x) for x in rc.list_images()} shell.cprint('<32>Images in <34>{} <32>registry:', registry) for image, tags in images.items(): shell.cprint(' <92>{}', image) for tag in tags: shell.cprint(' <90>{}:<35>{}', image, tag)
docker_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(registry_pass):\n registry = conf.get('docker.registry', None)\n if registry is None:\n log.err('You must define docker.registry conf variable to ...
def x(registry, image): if ':' in image['name']: _, tag = image['name'].split(':', 1) else: _, tag = image['name'], None values = {'registry': '' if registry is None else registry + '/', 'image': image['name'], 'tag': tag} if tag is None: args = ['-t {registry}{image}'.format(**values), '-t {registry}{image}:{version}'.format(version=versioning. current(), **values)] else: args = ['-t {registry}{image}'.format(**values)] if 'file' in image: args.append('-f {}'.format(conf.proj_path(image['file']))) with conf.within_proj_dir(image.get('path', '.')): log.info('Building <33>{registry}<35>/{image}', **values) shell.run('docker build {args} .'.format(args=' '.join(args)))
build_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(registry, image):\n if ':' in image['name']:\n _, tag = image['name'].split(':', 1)\n else:\n _, tag = image['name'], None\n values = {'...
def x(registry, image): values = {'registry': registry, 'image': image['name']} log.info('Pushing <33>{registry}<35>/{image}'.format(**values)) shell.run('docker push {registry}/{image}'.format(**values))
push_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(registry, image):\n values = {'registry': registry, 'image': image['name']}\n log.info('Pushing <33>{registry}<35>/{image}'.format(**values))\n shell....
def x(self, data, store): return {'invoice_data': {'invoice': {'total_amount': data.get( 'total_amount'), 'description': data.get('description')}, 'store': store.info}, 'opr_data': {'account_alias': data.get('account_alias')}}
build_opr_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, store):\n return {'invoice_data': {'invoice': {'total_amount': data.get(\n 'total_amount'), 'description': data.get('description')}, 'sto...
def x(self, data={}, store=None): _store = store or self.store _data = self._build_opr_data(data, _store) if data else self._opr_data return self._process('opr/create', _data)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data={}, store=None):\n _store = store or self.store\n _data = self._build_opr_data(data, _store) if data else self._opr_data\n return self._pro...
def x(self, data): token = data.get('token', self._response['token']) data = {'token': token, 'confirm_token': data.get('confirm_token')} return self._process('opr/charge', data)
charge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n token = data.get('token', self._response['token'])\n data = {'token': token, 'confirm_token': data.get('confirm_token')}\n return self....
def x(self, field, quick): if callable(field.default): default = field.default(self) else: default = field.default if quick and default is not None: return default shell.cprint('<90>{}', field.help) while True: try: answer = click.prompt(field.pretty_prompt, default=default) return field.type(answer) except ValueError: shell.cprint('<31>Unsupported value')
get_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field, quick):\n if callable(field.default):\n default = field.default(self)\n else:\n default = field.default\n if quick and defa...
def x(s, result=str, enc='utf-8', err='strict'): if isinstance(s, result): return s if isinstance(s, (bytes, str)): if isinstance(s, bytes) and result == str: return s.decode(enc, err) elif isinstance(s, str) and result == bytes: return s.encode(enc) else: return str(s or ('' if s is None else s), enc) elif isinstance(s, (float, int, decimal.Decimal)): return uniorbytes(str(s), result, enc, err) elif isinstance(s, dict): for k, item in list(s.items()): s[k] = uniorbytes(item, result=result, enc=enc, err=err) return s elif hasattr(s, '__iter__'): for i, item in enumerate(s): s[i] = uniorbytes(item, result=result, enc=enc, err=err) return s return s
uniorbytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, result=str, enc='utf-8', err='strict'):\n if isinstance(s, result):\n return s\n if isinstance(s, (bytes, str)):\n if isinstance(s, byte...
def x(s, encoding='utf-8'): if isinstance(s, str): return s.encode().decode(encoding) return s
recode_unicode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, encoding='utf-8'):\n if isinstance(s, str):\n return s.encode().decode(encoding)\n return s\n", "role": "user" }, { "content": "rec...
def x(text): if not isinstance(text, str): return text if len(text) == 0: return text maxord = max(ord(char) for char in text) tried_fixing = [] if maxord < 128: return text else: attempts = [(text, text_badness(text) + len(text))] if maxord < 256: tried_fixing = reinterpret_latin1_as_utf8(text) tried_fixing2 = reinterpret_latin1_as_windows1252(text) attempts.append((tried_fixing, text_cost(tried_fixing))) attempts.append((tried_fixing2, text_cost(tried_fixing2))) elif all(ord(char) in WINDOWS_1252_CODEPOINTS for char in text): tried_fixing = reinterpret_windows1252_as_utf8(text) attempts.append((tried_fixing, text_cost(tried_fixing))) else: return text attempts.sort(key=lambda x: x[1]) goodtext = attempts[0][0] if goodtext == text: return goodtext else: return fix_bad_unicode(goodtext)
fix_bad_unicode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n if not isinstance(text, str):\n return text\n if len(text) == 0:\n return text\n maxord = max(ord(char) for char in text)\n ...
def x(text): assert isinstance(text, str) errors = 0 very_weird_things = 0 weird_things = 0 prev_letter_script = None unicodedata_name = unicodedata.name unicodedata_category = unicodedata.category for char in text: index = ord(char) if index < 256: weird_things += SINGLE_BYTE_WEIRDNESS[index] if SINGLE_BYTE_LETTERS[index]: prev_letter_script = 'latin' else: prev_letter_script = None else: category = unicodedata_category(char) if category == 'Co': errors += 1 elif index == 65533: errors += 1 elif index in WINDOWS_1252_GREMLINS: lowchar = char.encode('WINDOWS_1252').decode('latin-1') weird_things += SINGLE_BYTE_WEIRDNESS[ord(lowchar)] - 0.5 if category[0] == 'L': name = unicodedata_name(char) scriptname = name.split()[0] freq, script = SCRIPT_TABLE.get(scriptname, (0, 'other')) if prev_letter_script: if script != prev_letter_script: very_weird_things += 1 if freq == 1: weird_things += 2 elif freq == 0: very_weird_things += 1 prev_letter_script = script else: prev_letter_script = None return 100 * errors + 10 * very_weird_things + weird_things
text_badness
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n assert isinstance(text, str)\n errors = 0\n very_weird_things = 0\n weird_things = 0\n prev_letter_script = None\n unicodedata_name ...
def x(): if platform.system() == 'Linux': return os.path.join(os.path.sep, 'etc', 'pycons3rt') elif platform.system() == 'Windows': return os.path.join('C:', os.path.sep, 'pycons3rt') elif platform.system() == 'Darwin': return os.path.join(os.path.expanduser('~'), '.pycons3rt') else: raise OSError('Unsupported Operating System')
get_pycons3rt_home_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if platform.system() == 'Linux':\n return os.path.join(os.path.sep, 'etc', 'pycons3rt')\n elif platform.system() == 'Windows':\n retur...
def x(): for pycons3rt_dir in [get_pycons3rt_home_dir(), get_pycons3rt_user_dir( ), get_pycons3rt_conf_dir(), get_pycons3rt_log_dir(), get_pycons3rt_src_dir()]: if os.path.isdir(pycons3rt_dir): continue try: os.makedirs(pycons3rt_dir) except OSError as e: if e.errno == errno.EEXIST and os.path.isdir(pycons3rt_dir): pass else: msg = 'Unable to create directory: {d}'.format(d=pycons3rt_dir) raise OSError(msg)
initialize_pycons3rt_dirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n for pycons3rt_dir in [get_pycons3rt_home_dir(), get_pycons3rt_user_dir(\n ), get_pycons3rt_conf_dir(), get_pycons3rt_log_dir(),\n get_pyc...
def x(): try: initialize_pycons3rt_dirs() except OSError as ex: traceback.print_exc() return 1 log_dir_path = get_pycons3rt_log_dir() + os.path.sep conf_contents = default_logging_conf_file_contents.replace(replace_str, log_dir_path) logging_config_file_dest = os.path.join(get_pycons3rt_conf_dir(), 'pycons3rt-logging.conf') with open(logging_config_file_dest, 'w') as f: f.write(conf_contents) """ for line in fileinput.input(logging_config_file_dest, inplace=True): if re.search(replace_str, line): new_line = re.sub(replace_str, log_dir_path, line, count=0) sys.stdout.write(new_line) else: sys.stdout.write(line) """ return 0
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n initialize_pycons3rt_dirs()\n except OSError as ex:\n traceback.print_exc()\n return 1\n log_dir_path = get_pycons3rt...
def x(): virtual_env = conf.getenv('VIRTUAL_ENV') if virtual_env is None: log.err('You are not inside a virtualenv') confirm_msg = ( 'Are you sure you want to use global python installation to run your git hooks? [y/N] ' ) click.prompt(confirm_msg, default=False) if not click.confirm(confirm_msg): log.info('Cancelling') return load_venv = '' else: load_venv = 'source "{}/bin/activate"'.format(virtual_env) commit_hook = conf.proj_path('.git/hooks/pre-commit') push_hook = conf.proj_path('.git/hooks/pre-push') log.info('Adding pre-commit hook <33>{}', commit_hook) fs.write_file(commit_hook, util.remove_indent( """ #!/bin/bash PATH="/opt/local/libexec/gnubin:$PATH" {load_venv} peltak lint --commit """ .format(load_venv=load_venv))) log.info('Adding pre-push hook: <33>{}', push_hook) fs.write_file(push_hook, util.remove_indent( """ #!/bin/bash PATH="/opt/local/libexec/gnubin:$PATH" {load_venv} peltak test --allow-empty """ .format(load_venv=load_venv))) log.info('Making hooks executable') if not context.get('pretend', False): os.chmod(conf.proj_path('.git/hooks/pre-commit'), 493) os.chmod(conf.proj_path('.git/hooks/pre-push'), 493)
add_hooks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n virtual_env = conf.getenv('VIRTUAL_ENV')\n if virtual_env is None:\n log.err('You are not inside a virtualenv')\n confirm_msg = (\n ...
def x(name): feature_name = 'feature/' + common.to_branch_name(name) develop = conf.get('git.devel_branch', 'develop') common.assert_on_branch(develop) common.git_checkout(feature_name, create=True)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n feature_name = 'feature/' + common.to_branch_name(name)\n develop = conf.get('git.devel_branch', 'develop')\n common.assert_on_branch(develop...
def x(): branch = git.current_branch(refresh=True) develop = conf.get('git.devel_branch', 'develop') common.assert_branch_type('feature') common.git_checkout(develop) common.git_pull(develop) common.git_checkout(branch.name) common.git_merge(branch.name, develop)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n branch = git.current_branch(refresh=True)\n develop = conf.get('git.devel_branch', 'develop')\n common.assert_branch_type('feature')\n common....
def x(): develop = conf.get('git.devel_branch', 'develop') branch = git.current_branch(refresh=True) common.assert_branch_type('feature') common.git_checkout(develop) common.git_pull(develop) common.git_branch_delete(branch.name) common.git_prune() common.git_checkout(develop)
merged
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n develop = conf.get('git.devel_branch', 'develop')\n branch = git.current_branch(refresh=True)\n common.assert_branch_type('feature')\n common....
def x(exclude): pretend = context.get('pretend', False) exclude = list(exclude) + conf.get('clean.exclude', []) clean_patterns = conf.get('clean.patterns', ['*__pycache__*', '*.py[cod]', '*.swp']) num_files = 0 with util.timed_block() as t: files = fs.filtered_walk(conf.proj_path(), clean_patterns, exclude) for path in files: try: num_files += 1 if not isdir(path): log.info(' <91>[file] <90>{}', path) not pretend and os.remove(path) else: log.info(' <91>[dir] <90>{}', path) not pretend and rmtree(path) except OSError: log.info('<33>Failed to remove <90>{}', path) if pretend: msg = 'Would delete <33>{}<32> files. Took <33>{}<32>s' else: msg = 'Deleted <33>{}<32> files in <33>{}<32>s' log.info(msg.format(num_files, t.elapsed_s))
clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exclude):\n pretend = context.get('pretend', False)\n exclude = list(exclude) + conf.get('clean.exclude', [])\n clean_patterns = conf.get('clean.patte...
def x(quick): config_file = 'pelconf.yaml' prompt = '-- <35>{} <32>already exists. Wipe it?<0>'.format(config_file) if exists(config_file) and not click.confirm(shell.fmt(prompt)): log.info('Canceled') return form = InitForm().run(quick=quick) log.info('Writing <35>{}'.format(config_file)) pelconf_template = conf.load_template('pelconf.yaml') fs.write_file(config_file, pelconf_template.format(**form.values))
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(quick):\n config_file = 'pelconf.yaml'\n prompt = '-- <35>{} <32>already exists. Wipe it?<0>'.format(config_file)\n if exists(config_file) and not cli...
def x(lines_iter): tbgrep = TracebackGrep() for line in lines_iter: tb = tbgrep.process(line) if tb: yield tb
tracebacks_from_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines_iter):\n tbgrep = TracebackGrep()\n for line in lines_iter:\n tb = tbgrep.process(line)\n if tb:\n yield tb\n", "role"...
def x(fileobj, reverse=False): if reverse: lines = deque() for line in BackwardsReader(fileobj): lines.appendleft(line) if tb_head in line: yield next(tracebacks_from_lines(lines)) lines.clear() else: for traceback in tracebacks_from_lines(fileobj): yield traceback
tracebacks_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fileobj, reverse=False):\n if reverse:\n lines = deque()\n for line in BackwardsReader(fileobj):\n lines.appendleft(line)\n ...
def x(file, BLKSIZE=4096): buf = '' file.seek(0, 2) lastchar = file.read(1) trailing_newline = lastchar == '\n' while 1: newline_pos = buf.rfind('\n') pos = file.tell() if newline_pos != -1: line = buf[newline_pos + 1:] buf = buf[:newline_pos] if pos or newline_pos or trailing_newline: line += '\n' yield line elif pos: toread = min(BLKSIZE, pos) file.seek(pos - toread, 0) buf = file.read(toread) + buf file.seek(pos - toread, 0) if pos == toread: buf = '\n' + buf else: return
BackwardsReader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, BLKSIZE=4096):\n buf = ''\n file.seek(0, 2)\n lastchar = file.read(1)\n trailing_newline = lastchar == '\\n'\n while 1:\n newline_p...
def x(func, y_values=None, domain=None, image=None, open_domain=None, args= (), accuracy=2): domain, image, open_domain, args = _normparams_inversefunc(domain, image, open_domain, args) ymin, ymax = image xmin, xmax = domain xmin_open, xmax_open = open_domain ref1, ref2 = _get_valid_refpoints(xmin, xmax) trend = np.sign(func(ref2, *args) - func(ref1, *args)) if trend == 0: raise ValueError('Function is not strictly monotonic') if ymin is None: ymin = _auto_ymin(func, args, xmin, xmax, trend) if ymax is None: ymax = _auto_ymax(func, args, xmin, xmax, trend) def x(x): if xmin is not None and (x < xmin or x == xmin and xmin_open): val = -1 * np.inf * trend elif xmax is not None and (x > xmax or x == xmax and xmax_open): val = np.inf * trend else: val = func(x, *args) return val min_kwargs = {} min_kwargs['bracket'] = ref1, ref2 min_kwargs['tol'] = 1.48e-08 min_kwargs['method'] = 'Brent' def x(yin): yin = np.asarray(yin, dtype=np.float64) shapein = yin.shape yin = yin.flatten() if ymin is not None: if xmin_open and trend == 1 or xmax_open and trend == -1: mask = yin <= ymin else: mask = yin < ymin if yin[mask].size > 0: raise ValueError( 'Requested values %s lower than the lower limit %g of the image' % (yin[mask], ymin)) if ymax is not None: if xmax_open and trend == 1 or xmin_open and trend == -1: mask = yin >= ymax else: mask = yin > ymax if yin[mask].size > 0: raise ValueError( 'Requested values %s higher than the higher limit %g of the image' % (yin[mask], ymax)) results = yin.copy() * np.nan resultsmask = np.zeros(yin.shape, dtype=np.bool) for j in range(yin.size): if xmax is not None: if bounded_f(xmax) == yin[j]: results[j] = xmax resultsmask[j] = True continue if xmin is not None: if bounded_f(xmin) == yin[j]: results[j] = xmin resultsmask[j] = True continue optimizer = lambda x, j=j, bounded_f=bounded_f: (bounded_f(x) - yin[j]) ** 2 try: with warnings.catch_warnings(record=True): result = minimize_scalar(optimizer, **min_kwargs) results[j] = result.x resultsmask[j] = result.success except: resultsmask[j] = False if any(~resultsmask): warnings.warn('Trouble calculating inverse for values: %s' % str(yin[~resultsmask]), RuntimeWarning) try: np.testing.assert_array_almost_equal(yin, func(results, *args), decimal=accuracy) except AssertionError: warnings.warn( 'Results obtained with less than %g decimal digits of accuracy' % accuracy, RuntimeWarning) return results.reshape(shapein) if y_values is None: return inv else: return inv(y_values)
inversefunc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, y_values=None, domain=None, image=None, open_domain=None, args=\n (), accuracy=2):\n domain, image, open_domain, args = _normparams_inversefunc(dom...
def x(count, total=100, status=None, suffix=None, bar_len=10): status = status or '' suffix = suffix or '%' assert isinstance(count, int) count_normalized = count if count <= total else total filled_len = int(round(bar_len * count_normalized / float(total))) percents = 100.0 * count / float(total) color = '#5cb85c' if percents < 30.0: color = '#d9534f' if percents < 70.0: color = '#f0ad4e' text_color = colors.fg(color) bar_color = text_color + colors.bg(color) nc_color = colors.dark_gray progressbar = colors.bg('#428bca') | status if status else '' progressbar += bar_color | '█' * filled_len progressbar += nc_color | '█' * (bar_len - filled_len) progressbar += text_color | str(count) + suffix return progressbar
progressed_bar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(count, total=100, status=None, suffix=None, bar_len=10):\n status = status or ''\n suffix = suffix or '%'\n assert isinstance(count, int)\n count_n...
def x(string): string = emojize(string, use_aliases=True) if emojize else string string = progressed(string) return string
prettify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string):\n string = emojize(string, use_aliases=True) if emojize else string\n string = progressed(string)\n return string\n", "role": "user" },...
def x(file): if not is_secure_file(file): msg = """ File {0} can be read by other users. This is not secure. Please run 'chmod 600 "{0}"'""" raise SecurityError(dedent(msg).replace('\n', ' ').format(file)) return True
assert_secure_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file):\n if not is_secure_file(file):\n msg = \"\"\"\n File {0} can be read by other users.\n This is not secure. Please run 'chmod 600...
def x(package_name: str) ->gettext.NullTranslations: localedir = None for localedir in (pkg_resources.resource_filename(package_name, 'i18n'), None): localefile = gettext.find(package_name, localedir) if localefile: break else: pass return gettext.translation(package_name, localedir=localedir, fallback=True )
get_translation_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package_name: str) ->gettext.NullTranslations:\n localedir = None\n for localedir in (pkg_resources.resource_filename(package_name, 'i18n'),\n Non...
def x(package_name: str, names: Tuple[str, ...]=('gettext',)): translation = get_translation_for(package_name) return [getattr(translation, x) for x in names]
get_translation_functions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package_name: str, names: Tuple[str, ...]=('gettext',)):\n translation = get_translation_for(package_name)\n return [getattr(translation, x) for x in nam...
def x(arr): for i in arr: i = i if i not in kwlist else i + '_' i = i if '-' not in i else i.replace('-', '_') yield i
escape_keywords
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr):\n for i in arr:\n i = i if i not in kwlist else i + '_'\n i = i if '-' not in i else i.replace('-', '_')\n yield i\n", "role"...
def x(branch=None) ->str: habitica_github_api = 'https://api.github.com/repos/HabitRPG/habitica' if not branch: branch = requests.get(habitica_github_api + '/releases/latest').json()[ 'tag_name'] curl = local['curl']['-sL', habitica_github_api + '/tarball/{}'.format( branch)] tar = local['tar']['axzf', '-', '--wildcards', '*/website/server/controllers/api-v3/*', '--to-stdout'] grep = local['grep']['@api'] sed = local['sed']['-e', 's/^[ */]*//g', '-e', 's/ / /g', '-'] return (curl | tar | grep | sed)()
download_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(branch=None) ->str:\n habitica_github_api = 'https://api.github.com/repos/HabitRPG/habitica'\n if not branch:\n branch = requests.get(habitica_git...
def x(text: str) ->None: apidoc_local = local.path(APIDOC_LOCAL_FILE) if not apidoc_local.dirname.exists(): apidoc_local.dirname.mkdir() with open(apidoc_local, 'w') as f: f.write(text)
save_apidoc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text: str) ->None:\n apidoc_local = local.path(APIDOC_LOCAL_FILE)\n if not apidoc_local.dirname.exists():\n apidoc_local.dirname.mkdir()\n with...
def x(file_or_branch, from_github=False, save_github_version=True) ->List[ 'ApiEndpoint']: apis = [] regex = '(?P<group>\\([^)]*\\)){0,1} *(?P<type_>{[^}]*}){0,1} *' regex += '(?P<field>[^ ]*) *(?P<description>.*)$' param_regex = re.compile('^@apiParam {1,}' + regex) success_regex = re.compile('^@apiSuccess {1,}' + regex) if from_github: text = download_api(file_or_branch) if save_github_version: save_apidoc(text) else: with open(file_or_branch) as f: text = f.read() for line in text.split('\n'): line = line.replace('\n', '') if line.startswith('@api '): if apis: if not apis[-1].retcode: apis[-1].retcode = 200 split_line = line.split(' ') assert len(split_line) >= 3 method = split_line[1] uri = split_line[2] assert method[0] == '{' assert method[-1] == '}' method = method[1:-1] if not uri.startswith(API_URI_BASE): warnings.warn(_('Wrong api url: {}').format(uri)) title = ' '.join(split_line[3:]) apis.append(ApiEndpoint(method, uri, title)) elif line.startswith('@apiParam '): res = next(param_regex.finditer(line)).groupdict() apis[-1].add_param(**res) elif line.startswith('@apiSuccess '): res = next(success_regex.finditer(line)).groupdict() apis[-1].add_success(**res) if apis: if not apis[-1].retcode: apis[-1].retcode = 200 return apis
parse_apidoc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_or_branch, from_github=False, save_github_version=True) ->List[\n 'ApiEndpoint']:\n apis = []\n regex = '(?P<group>\\\\([^)]*\\\\)){0,1} *(?P<typ...
def x(self, val: str) ->Union['ApiNode', 'ApiEndpoint']: if val in self.paths: return self.paths[val] if self.param: return self.param raise IndexError(_('Value {} is missing from api').format(val))
into
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val: str) ->Union['ApiNode', 'ApiEndpoint']:\n if val in self.paths:\n return self.paths[val]\n if self.param:\n return self.param\n ...
def x(self, val: str) ->bool: return val in self.paths or self.param and self.param_name == val
can_into
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val: str) ->bool:\n return val in self.paths or self.param and self.param_name == val\n", "role": "user" }, { "content": "can_into", "...
def x(self, part: str, val: Union['ApiNode', 'ApiEndpoint']): if part.startswith(':'): if self.param and self.param != part: err = ( "Cannot place param '{}' as '{self.param_name}' exist on node already!" ) raise ParamAlreadyExist(err.format(part, self=self)) self.param = val self.param_name = part return val self.paths[part] = val return val
place
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, part: str, val: Union['ApiNode', 'ApiEndpoint']):\n if part.startswith(':'):\n if self.param and self.param != part:\n err = (\n ...
def x(self) ->Iterator[str]: if self.param: yield self.param_name yield from self.paths.keys()
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Iterator[str]:\n if self.param:\n yield self.param_name\n yield from self.paths.keys()\n", "role": "user" }, { "content": "key...
def x(self, group=None, type_='', field='', description=''): group = group or '(Parameter)' group = group.lower()[1:-1] p = Param(type_, field, description) self.params[group][p.field] = p
add_param
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group=None, type_='', field='', description=''):\n group = group or '(Parameter)'\n group = group.lower()[1:-1]\n p = Param(type_, field, descri...
def x(self, group=None, type_='', field='', description=''): group = group or '(200)' group = int(group.lower()[1:-1]) self.retcode = self.retcode or group if group != self.retcode: raise ValueError('Two or more retcodes!') type_ = type_ or '{String}' p = Param(type_, field, description) self.params['responce'][p.field] = p
add_success
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group=None, type_='', field='', description=''):\n group = group or '(200)'\n group = int(group.lower()[1:-1])\n self.retcode = self.retcode or ...
def x(self): res = '{{{self.method}}} {self.uri} {self.title}\n'.format(self=self) if self.params: for group, params in self.params.items(): res += '\n' + group + ' params:\n' for param in params.values(): res += param.render_docstring() return res
render_docstring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n res = '{{{self.method}}} {self.uri} {self.title}\\n'.format(self=self)\n if self.params:\n for group, params in self.params.items():\n ...
def x(self, obj): if self.path: for i in self.path: obj = obj[i] obj = obj[self.field] raise NotImplementedError('Validation is not implemented yet')
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if self.path:\n for i in self.path:\n obj = obj[i]\n obj = obj[self.field]\n raise NotImplementedError('Validation is ...
def x(self): default = ' = ' + str(self.default) if self.default else '' opt = 'optional' if self.is_optional else '' can_be = ' '.join(self.possible_values) if self.possible_values else '' can_be = 'one of [{}]'.format(can_be) if can_be else '' type_ = 'of type "' + str(self.type) + '"' res = ' '.join([opt, '"' + self.field + '"', default, type_, can_be, '\n']) return res.replace(' ', ' ').lstrip()
render_docstring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n default = ' = ' + str(self.default) if self.default else ''\n opt = 'optional' if self.is_optional else ''\n can_be = ' '.join(self.possible_...
def x(u): if isinstance(u, str) and u.replace('-', '') == uuid.UUID(u).hex: return u return False
is_uuid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(u):\n if isinstance(u, str) and u.replace('-', '') == uuid.UUID(u).hex:\n return u\n return False\n", "role": "user" }, { "content": "...
def x(configfile, config=None): default_login = 'your-login-for-api-here' default_password = 'your-password-for-api-here' config = config or {} configfile = local.path(configfile) if not configfile.exists(): configfile.dirname.mkdir() else: assert_secure_file(configfile) with secure_filestore(), cli.Config(configfile) as conf: config['url'] = conf.get('habitipy.url', 'https://habitica.com') config['login'] = conf.get('habitipy.login', default_login) config['password'] = conf.get('habitipy.password', default_password) if config['login'] == default_login or config['password' ] == default_password: if cli.terminal.ask(_( 'Your creditentials are invalid. Do you want to enter them now?' ), default=True): msg = _( """ You can get your login information at https://habitica.com/#/options/settings/api Both your user id and API token should look like this: xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx where 'x' is a number between 0-9 or a character a-f. """ ) print(dedent(msg)) msg = _('Please enter your login (user ID)') config['login'] = cli.terminal.prompt(msg, validator=is_uuid) msg = _('Please enter your password (API token)') config['password'] = cli.terminal.prompt(msg, validator=is_uuid ) conf.set('habitipy.login', config['login']) conf.set('habitipy.password', config['password']) print(dedent(_( """ Your creditentials are securely stored in {configfile} You can edit that file later if you need. """ )).format(configfile=configfile)) config['show_numbers'] = conf.get('habitipy.show_numbers', 'y') config['show_numbers'] = config['show_numbers'] in YES_ANSWERS config['show_style'] = conf.get('habitipy.show_style', 'wide') if config['show_style'] not in CHECK_MARK_STYLES: config['show_style'] = 'wide' return config
load_conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(configfile, config=None):\n default_login = 'your-login-for-api-here'\n default_password = 'your-password-for-api-here'\n config = config or {}\n c...
def x(api, rebuild_cache=False): if hasattr(get_content, 'cache') and not rebuild_cache: return get_content.cache if not os.path.exists(CONTENT_JSON) or rebuild_cache: import locale content_endpoint = api.content.get try_langs = [] try: lang = get_translation_for('habitipy').info()['language'] try_langs.append(lang) except KeyError: pass try: loc = locale.getdefaultlocale()[0] if loc: try_langs.append(loc) try_langs.append(loc[:2]) except IndexError: pass server_lang = content_endpoint._node.params['query']['language'] for lang in try_langs: if lang in server_lang.possible_values: loc = {'language': lang} break else: loc = {} get_content.cache = content = content_endpoint(**loc) with open(CONTENT_JSON, 'w') as f: json.dump(content, f) return content try: with open(CONTENT_JSON) as f: get_content.cache = content = json.load(f) return content except JSONDecodeError: return get_content(api, rebuild_cache=True)
get_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api, rebuild_cache=False):\n if hasattr(get_content, 'cache') and not rebuild_cache:\n return get_content.cache\n if not os.path.exists(CONTENT_JS...
def x(api): c = get_content(api) tasks = [c[i] for i in ['potion', 'armoire']] tasks.extend(api.user.inventory.buy.get()) for task in tasks: task['id'] = task['alias'] = task['key'] return tasks
get_additional_rewards
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api):\n c = get_content(api)\n tasks = [c[i] for i in ['potion', 'armoire']]\n tasks.extend(api.user.inventory.buy.get())\n for task in tasks:\n ...
def x(cls, value): index = bisect(cls.breakpoints, value) return colors.fg(cls.colors_[index])
color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value):\n index = bisect(cls.breakpoints, value)\n return colors.fg(cls.colors_[index])\n", "role": "user" }, { "content": "color", ...
def x(cls): orig_init = cls.__init__ def x(self, *args, **kwargs): super(CustomGenerator, self).__init__() orig_init(self, *args, **kwargs) self.orig_args = args self.orig_kwargs = kwargs self.ns_gen_templates = TohuNamespace() self.ns_gen_templates.update_from_dict(self.__class__.__dict__) self.ns_gen_templates.update_from_dict(self.__dict__) self.ns_gen_templates.set_owner(self.__class__) self._mark_field_generator_templates() self.ns_gens = self.ns_gen_templates.spawn() self.ns_gens.set_owner(self) self._update_namespace_with_field_generators() self._set_field_names() self._set_tohu_items_name() self._set_tohu_items_cls() cls.__init__ = new_init
augment_init_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n orig_init = cls.__init__\n\n def x(self, *args, **kwargs):\n super(CustomGenerator, self).__init__()\n orig_init(self, *args, **kwa...
def x(obj): cls_dict = obj.__class__.__dict__ obj_dict = obj.__dict__ field_gens = {} add_field_generators(field_gens, cls_dict) add_field_generators(field_gens, obj_dict) return field_gens
find_field_generators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n cls_dict = obj.__class__.__dict__\n obj_dict = obj.__dict__\n field_gens = {}\n add_field_generators(field_gens, cls_dict)\n add_field_g...
def x(cls_obj): if '__tohu__items__name__' in cls_obj.__dict__: logger.debug( f"Using item class name '{cls_obj.__tohu_items_name__}' (derived from attribute '__tohu_items_name__')" ) else: m = re.match('^(.*)Generator$', cls_obj.__name__) if m is not None: cls_obj.__tohu_items_name__ = m.group(1) logger.debug( f"Using item class name '{cls_obj.__tohu_items_name__}' (derived from custom generator name)" ) else: raise ValueError( "Cannot derive class name for items to be produced by custom generator. Please set '__tohu_items_name__' at the top of the custom generator's definition or change its name so that it ends in '...Generator'" )
set_item_class_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls_obj):\n if '__tohu__items__name__' in cls_obj.__dict__:\n logger.debug(\n f\"Using item class name '{cls_obj.__tohu_items_name__}' (de...
def x(obj): clsname = obj.__tohu_items_name__ attr_names = obj.field_gens.keys() return make_item_class(clsname, attr_names)
make_item_class_for_custom_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n clsname = obj.__tohu_items_name__\n attr_names = obj.field_gens.keys()\n return make_item_class(clsname, attr_names)\n", "role": "user" ...
def x(obj): orig_init = obj.__init__ def x(self, *args, **kwargs): logger.debug(f'Initialising new {self}') orig_init(self, *args, **kwargs) field_gens_templates = find_field_generators(self) logger.debug( f'Found {len(field_gens_templates)} field generator template(s):') debug_print_dict(field_gens_templates) def x(dep_gen, origs): for parent_name, parent in origs.items(): if dep_gen.parent is parent: return parent_name, parent raise RuntimeError( f'Parent of dependent generator {dep_gen} not defined in the same custom generator' ) logger.debug('Spawning field generator templates...') origs = {} spawned = {} for name, gen in field_gens_templates.items(): if isinstance(gen, IndependentGenerator) and gen in origs.values(): logger.debug( f'Cloning generator {name}={gen} because it is an alias for an existing generator' ) gen = gen.clone() if isinstance(gen, IndependentGenerator): origs[name] = gen spawned[name] = gen._spawn() logger.debug( f'Spawning generator {gen}. New spawn: {spawned[name]}') elif isinstance(gen, DependentGenerator): orig_parent_name, orig_parent = find_orig_parent(gen, origs) new_parent = spawned[orig_parent_name] spawned[name] = gen._spawn_and_reattach_parent(new_parent) else: pass self.field_gens = spawned self.__dict__.update(self.field_gens) logger.debug(f'Field generators attached to custom generator instance:' ) debug_print_dict(self.field_gens) self.seed_generator = SeedGenerator() self.__class__.item_cls = make_item_class_for_custom_generator(self) obj.__init__ = new_init
add_new_init_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n orig_init = obj.__init__\n\n def x(self, *args, **kwargs):\n logger.debug(f'Initialising new {self}')\n orig_init(self, *args, **kw...
def x(obj): def x(self, seed=None): logger.debug( f'[EEE] Inside automatically generated reset() method for {self} (seed={seed})' ) if seed is not None: self.seed_generator.reset(seed) for name, gen in self.field_gens.items(): next_seed = next(self.seed_generator) gen.reset(next_seed) for c in self._dependent_generators: c.reset_dependent_generator(seed) return self obj.reset = new_reset
add_new_reset_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n\n def x(self, seed=None):\n logger.debug(\n f'[EEE] Inside automatically generated reset() method for {self} (seed={seed})'\n ...
def x(obj): def x(self): field_values = [next(g) for g in self.field_gens.values()] return self.item_cls(*field_values) obj.__next__ = new_next
add_new_next_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n\n def x(self):\n field_values = [next(g) for g in self.field_gens.values()]\n return self.item_cls(*field_values)\n obj.__next__ = ...
def x(obj): def x(self): new_instance = self.__class__() return new_instance obj._spawn = new_spawn
add_new_spawn_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n\n def x(self):\n new_instance = self.__class__()\n return new_instance\n obj._spawn = new_spawn\n", "role": "user" }, { ...
def x(op, g1, g2): g1_tmp_copy = g1.spawn() g2_tmp_copy = g2.spawn() sample_item_1 = next(g1_tmp_copy) sample_item_2 = next(g2_tmp_copy) try: op(sample_item_1, sample_item_2) except TypeError: raise TypeError( f"Operator '{op.__name__}' cannot be applied to items produced by {g1} and {g2} (which have type {type(sample_item_1)} and {type(sample_item_2)}, respectively)" )
check_that_operator_can_be_applied_to_produces_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(op, g1, g2):\n g1_tmp_copy = g1.spawn()\n g2_tmp_copy = g2.spawn()\n sample_item_1 = next(g1_tmp_copy)\n sample_item_2 = next(g2_tmp_copy)\n try...
def x(cls): orig_init = cls.__init__ def x(self, *args, **kwargs): self._dependent_generators = [] orig_init(self, *args, **kwargs) cls.__init__ = new_init
add_new_init_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n orig_init = cls.__init__\n\n def x(self, *args, **kwargs):\n self._dependent_generators = []\n orig_init(self, *args, **kwargs)\n ...
def x(cls): if isinstance(cls.__repr__, WrapperDescriptorType): cls.__repr__ = (lambda self: f'<{self.__class__.__name__}, id={hex(id(self))}>') else: pass
add_new_repr_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if isinstance(cls.__repr__, WrapperDescriptorType):\n cls.__repr__ = (lambda self:\n f'<{self.__class__.__name__}, id={hex(id(self...
def x(cls): orig_reset = cls.reset def x(self, seed=None): logger.debug(f'Calling reset() on {self} (seed={seed})') orig_reset(self, seed) for c in self._dependent_generators: c.reset_dependent_generator(seed) return self cls.reset = new_reset
add_new_reset_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n orig_reset = cls.reset\n\n def x(self, seed=None):\n logger.debug(f'Calling reset() on {self} (seed={seed})')\n orig_reset(self, se...
def x(self, N, *, seed=None, progressbar=False): if seed is not None: self.reset(seed) items = islice(self, N) if progressbar: items = tqdm(items, total=N) item_list = [x for x in items] return ItemList(item_list, N)
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, N, *, seed=None, progressbar=False):\n if seed is not None:\n self.reset(seed)\n items = islice(self, N)\n if progressbar:\n items...
def x(self): myhash = hashlib.md5(str(id(self)).encode()).hexdigest() return myhash[:12]
tohu_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n myhash = hashlib.md5(str(id(self)).encode()).hexdigest()\n return myhash[:12]\n", "role": "user" }, { "content": "tohu_id", "rol...
def x(self): clsname = self.__tohu_items_name__ self.item_cls = make_item_class(clsname, self.field_names)
set_item_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n clsname = self.__tohu_items_name__\n self.item_cls = make_item_class(clsname, self.field_names)\n", "role": "user" }, { "content": "...
def x(self): field_gen_templates = {} for name, g in self.__class__.__dict__.items(): if isinstance(g, TohuBaseGenerator): field_gen_templates[name] = g.set_tohu_name(f'{name} (TPL)') for name, g in self.__dict__.items(): if isinstance(g, TohuBaseGenerator): field_gen_templates[name] = g.set_tohu_name(f'{name} (TPL)') return field_gen_templates
find_field_generator_templates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n field_gen_templates = {}\n for name, g in self.__class__.__dict__.items():\n if isinstance(g, TohuBaseGenerator):\n field_gen_...