source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(cls, path): import yaml with path.open(mode='r') as fp: source = yaml.safe_load(fp) or {} self = cls.from_jsonld(source, __reference__=path, __source__= deepcopy(source)) return self
from_yaml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path):\n import yaml\n with path.open(mode='r') as fp:\n source = yaml.safe_load(fp) or {}\n self = cls.from_jsonld(source, __referenc...
def x(self): source = {} if self.__source__: source.update(self.__source__) source.update(asjsonld(self)) return source
asjsonld
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n source = {}\n if self.__source__:\n source.update(self.__source__)\n source.update(asjsonld(self))\n return source\n", "role": ...
def x(self): import yaml with self.__reference__.open('w') as fp: yaml.dump(self.asjsonld(), fp, default_flow_style=False)
to_yaml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n import yaml\n with self.__reference__.open('w') as fp:\n yaml.dump(self.asjsonld(), fp, default_flow_style=False)\n", "role": "user" ...
def x(gpg, key): fingerprint = key['fingerprint'] addresses = [] for key in gpg.list_keys(): if key['fingerprint'] == fingerprint: addresses.extend([address.split('<')[-1].strip('>') for address in key['uids'] if address]) return addresses
addresses_for_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gpg, key):\n fingerprint = key['fingerprint']\n addresses = []\n for key in gpg.list_keys():\n if key['fingerprint'] == fingerprint:\n ...
def x(subject, body_text, addr_from, recipient_list, fail_silently=False, auth_user=None, auth_password=None, attachments=None, body_html=None, html_message=None, connection=None, headers=None): if body_html is not None and html_message is not None: raise ValueError( 'You cannot specify body_html and html_message at the same time. Please only use html_message.' ) if body_html is not None: warn( 'Using body_html is deprecated; use the html_message argument instead. Please update your code.' , DeprecationWarning) html_message = body_html if isinstance(recipient_list, six.string_types): recipient_list = [recipient_list] connection = connection or get_connection(username=auth_user, password= auth_password, fail_silently=fail_silently) key_addresses = {} if USE_GNUPG: from email_extras.models import Address key_addresses = dict(Address.objects.filter(address__in= recipient_list).values_list('address', 'use_asc')) if key_addresses: gpg = GPG(gnupghome=GNUPG_HOME) if GNUPG_ENCODING is not None: gpg.encoding = GNUPG_ENCODING def x(addr): return addr in key_addresses def x(body, addr_list): if has_pgp_key(addr_list[0]): encrypted = gpg.encrypt(body, addr_list[0], always_trust= ALWAYS_TRUST) if encrypted == '' and body != '': raise EncryptionFailedError('Encrypting mail to %s failed.', addr_list[0]) return smart_text(encrypted) return body attachments_parts = [] if attachments is not None: for attachment in attachments: if not hasattr(attachment, '__iter__'): with open(attachment, 'rb') as f: attachments_parts.append((basename(attachment), f.read())) else: attachments_parts.append(attachment) unencrypted = [addr for addr in recipient_list if addr not in key_addresses ] unencrypted = [unencrypted] if unencrypted else unencrypted encrypted = [[addr] for addr in key_addresses] for addr_list in (unencrypted + encrypted): msg = EmailMultiAlternatives(subject, encrypt_if_key(body_text, addr_list), addr_from, addr_list, connection=connection, headers=headers) if html_message is not None: if has_pgp_key(addr_list[0]): mimetype = 'application/gpg-encrypted' else: mimetype = 'text/html' msg.attach_alternative(encrypt_if_key(html_message, addr_list), mimetype) for parts in attachments_parts: name = parts[0] if key_addresses.get(addr_list[0]): name += '.asc' msg.attach(name, encrypt_if_key(parts[1], addr_list)) msg.send(fail_silently=fail_silently)
send_mail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subject, body_text, addr_from, recipient_list, fail_silently=False,\n auth_user=None, auth_password=None, attachments=None, body_html=None,\n html_messag...
def x(subject, template, addr_from, recipient_list, fail_silently=False, attachments=None, context=None, connection=None, headers=None): if context is None: context = {} def x(ext): name = 'email_extras/%s.%s' % (template, ext) return loader.get_template(name).render(context) send_mail(subject, render('txt'), addr_from, recipient_list, fail_silently=fail_silently, attachments=attachments, html_message= render('html'), connection=connection, headers=headers)
send_mail_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subject, template, addr_from, recipient_list, fail_silently=False,\n attachments=None, context=None, connection=None, headers=None):\n if context is None...
def x(nodes): order, enter, state = deque(), set(nodes), {} def x(node): state[node] = GRAY for parent in nodes.get(node, ()): color = state.get(parent, None) if color == GRAY: raise ValueError('cycle') if color == BLACK: continue enter.discard(parent) dfs(parent) order.appendleft(node) state[node] = BLACK while enter: dfs(enter.pop()) return order
topological
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nodes):\n order, enter, state = deque(), set(nodes), {}\n\n def x(node):\n state[node] = GRAY\n for parent in nodes.get(node, ()):\n ...
def x(ctx, client, sources, destination): from renku.api._git import _expand_directories dst = Path(destination) def x(path): return str(Path(path).absolute().relative_to(client.path)) files = {fmt_path(source): fmt_path(file_or_dir) for file_or_dir in sources for source in _expand_directories((file_or_dir,))} def x(path): return str(dst / os.path.relpath(path, start=files[path])) destinations = {source: fmt_dst(source) for source in files} ignored = client.find_ignored_paths(*destinations.values()) if ignored: click.echo(WARNING + 'Renamed files match .gitignore.\n') if click.confirm('Do you want to edit ".gitignore" now?', default=False ): click.edit(filename=str(client.path / '.gitignore')) with progressbar(client.datasets.items(), item_show_func=lambda item: str(item[1].short_id) if item else '', label= 'Updating dataset metadata', width=0) as bar: for path, dataset in bar: renames = {} for file in dataset.files: filepath = fmt_path(os.path.normpath(str(path.parent / file))) if filepath in files: renames[file] = os.path.relpath(destinations[filepath], start=str(path.parent)) if renames: dataset = dataset.rename_files(lambda key: renames.get(key, key)) dataset.to_yaml() tracked = tuple(path for path, attr in client.find_attr(*files).items() if attr.get('filter') == 'lfs') client.untrack_paths_from_storage(*tracked) existing = client.find_attr(*tracked) if existing: click.echo(WARNING + 'There are custom .gitattributes.\n') if click.confirm('Do you want to edit ".gitattributes" now?', default=False): click.edit(filename=str(client.path / '.gitattributes')) client.track_paths_in_storage(*(destinations[path] for path in tracked)) dst.parent.mkdir(parents=True, exist_ok=True) for source, target in destinations.items(): src = Path(source) if src.is_symlink(): Path(target).parent.mkdir(parents=True, exist_ok=True) Path(target).symlink_to(os.path.relpath(str(src.resolve()), start=os.path.dirname(target))) src.unlink() del files[source] final_sources = list(set(files.values())) if final_sources: run(['git', 'mv'] + final_sources + [destination], check=True)
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, client, sources, destination):\n from renku.api._git import _expand_directories\n dst = Path(destination)\n\n def x(path):\n return str(Pa...
def x(client): old_metadata = list(_dataset_metadata_pre_0_3_4(client)) if not old_metadata: return True click.secho(WARNING + """There are metadata files in the old location. (use "renku migrate datasets" to move them) """ + '\n\t'.join(click.style(str(path.relative_to(client.path)), fg= 'yellow') for path in old_metadata) + '\n') return False
check_dataset_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client):\n old_metadata = list(_dataset_metadata_pre_0_3_4(client))\n if not old_metadata:\n return True\n click.secho(WARNING +\n \"\"\...
def x(client, revision, paths): graph = Graph(client) nodes = graph.build(paths=paths, revision=revision) siblings_ = set(nodes) for node in nodes: siblings_ |= graph.siblings(node) paths = {node.path for node in siblings_} for path in paths: click.echo(graph._format_path(path))
siblings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, revision, paths):\n graph = Graph(client)\n nodes = graph.build(paths=paths, revision=revision)\n siblings_ = set(nodes)\n for node in node...
def x(ctx, client, revision, paths): from renku.models.provenance import ProcessRun graph = Graph(client) paths = set(paths) nodes = graph.build(revision=revision) commits = {node.commit for node in nodes} candidates = {(node.commit, node.path) for node in nodes if not paths or node.path in paths} input_paths = set() for commit in commits: activity = graph.activities[commit] if isinstance(activity, ProcessRun): for usage in activity.qualified_usage: for entity in usage.entity.entities: path = str((usage.client.path / entity.path). relative_to(client.path)) usage_key = entity.commit, entity.path if path not in input_paths and usage_key in candidates: input_paths.add(path) click.echo('\n'.join(graph._format_path(path) for path in input_paths)) ctx.exit(0 if not paths or len(input_paths) == len(paths) else 1)
inputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, client, revision, paths):\n from renku.models.provenance import ProcessRun\n graph = Graph(client)\n paths = set(paths)\n nodes = graph.build(...
def x(ctx, client, revision, paths): graph = Graph(client) filter = graph.build(paths=paths, revision=revision) output_paths = graph.output_paths click.echo('\n'.join(graph._format_path(path) for path in output_paths)) if paths: if not output_paths: ctx.exit(1) from renku.models._datastructures import DirectoryTree tree = DirectoryTree.from_list(item.path for item in filter) for output in output_paths: if tree.get(output) is None: ctx.exit(1) return
outputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, client, revision, paths):\n graph = Graph(client)\n filter = graph.build(paths=paths, revision=revision)\n output_paths = graph.output_paths\n ...
def x(): import inspect from renku.models import provenance from renku.models._jsonld import JSONLDMixin for name in dir(provenance): cls = getattr(provenance, name) if inspect.isclass(cls) and issubclass(cls, JSONLDMixin): yield name
context_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import inspect\n from renku.models import provenance\n from renku.models._jsonld import JSONLDMixin\n for name in dir(provenance):\n cl...
def x(ctx, param, value): if not value or ctx.resilient_parsing: return click.echo('\n'.join(_context_names())) ctx.exit()
print_context_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, param, value):\n if not value or ctx.resilient_parsing:\n return\n click.echo('\\n'.join(_context_names()))\n ctx.exit()\n", "role": "...
def x(name): from renku.models import provenance cls = getattr(provenance, name) return {'@context': cls._jsonld_context, '@type': cls._jsonld_type}
context_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n from renku.models import provenance\n cls = getattr(provenance, name)\n return {'@context': cls._jsonld_context, '@type': cls._jsonld_type}\n...
def x(names): import json contexts = [_context_json(name) for name in set(names)] if contexts: click.echo(json.dumps(contexts[0] if len(contexts) == 1 else contexts, indent=2))
context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(names):\n import json\n contexts = [_context_json(name) for name in set(names)]\n if contexts:\n click.echo(json.dumps(contexts[0] if len(conte...
def x(ctx, client): if ctx.invoked_subcommand is None: from renku.models.refs import LinkReference names = defaultdict(list) for ref in LinkReference.iter_items(client, common_path='workflows'): names[ref.reference.name].append(ref.name) for path in client.workflow_path.glob('*.cwl'): click.echo('{path}: {names}'.format(path=path.name, names=', '. join(click.style(_deref(name), fg='green') for name in names[path.name])))
workflow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, client):\n if ctx.invoked_subcommand is None:\n from renku.models.refs import LinkReference\n names = defaultdict(list)\n for ref ...
def x(ctx, param, value): client = ctx.obj if value is None: from renku.models.provenance import ProcessRun activity = client.process_commit() if not isinstance(activity, ProcessRun): raise click.BadParameter('No tool was found.') return activity.path return value
validate_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, param, value):\n client = ctx.obj\n if value is None:\n from renku.models.provenance import ProcessRun\n activity = client.process_com...
def x(client, name, path, force): from renku.models.refs import LinkReference LinkReference.create(client=client, name=_ref(name), force=force ).set_reference(path)
set_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, name, path, force):\n from renku.models.refs import LinkReference\n LinkReference.create(client=client, name=_ref(name), force=force\n ).s...
def x(client, old, new, force): from renku.models.refs import LinkReference LinkReference(client=client, name=_ref(old)).rename(_ref(new), force=force)
rename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, old, new, force):\n from renku.models.refs import LinkReference\n LinkReference(client=client, name=_ref(old)).rename(_ref(new), force=force)\n",...
def x(client, name): from renku.models.refs import LinkReference LinkReference(client=client, name=_ref(name)).delete()
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, name):\n from renku.models.refs import LinkReference\n LinkReference(client=client, name=_ref(name)).delete()\n", "role": "user" }, { ...
def x(client, output_file, revision, paths): graph = Graph(client) outputs = graph.build(paths=paths, revision=revision) output_file.write(yaml.dump(ascwl(graph.ascwl(outputs=outputs), filter= lambda _, x: x is not None and x != [], basedir=os.path.dirname( getattr(output_file, 'name', '.')) or '.'), default_flow_style=False))
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, output_file, revision, paths):\n graph = Graph(client)\n outputs = graph.build(paths=paths, revision=revision)\n output_file.write(yaml.dump(a...
def x(ctx, config, verbose): if ctx.invoked_subcommand is None: for endpoint, values in config.get('endpoints', {}).items(): if not verbose: click.echo(endpoint) else: click.echo('{endpoint}\t{url}'.format(endpoint=endpoint, url=values.get('url', '')))
endpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, config, verbose):\n if ctx.invoked_subcommand is None:\n for endpoint, values in config.get('endpoints', {}).items():\n if not verbos...
def x(method, mode): def x(path_or_stream): if isinstance(path_or_stream, (str, Path)): return method(Path(path_or_stream).open(mode)) return method(path_or_stream) return decorator
wrap_path_or_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method, mode):\n\n def x(path_or_stream):\n if isinstance(path_or_stream, (str, Path)):\n return method(Path(path_or_stream).open(mode))\n...
def x(ctx, client): click.secho('\n'.join(textwrap.wrap(DOCTOR_INFO)) + '\n', bold=True) from . import _checks is_ok = True for attr in _checks.__all__: is_ok &= getattr(_checks, attr)(client) if is_ok: click.secho('Everything seems to be ok.', fg='green') ctx.exit(0 if is_ok else 1)
doctor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, client):\n click.secho('\\n'.join(textwrap.wrap(DOCTOR_INFO)) + '\\n', bold=True)\n from . import _checks\n is_ok = True\n for attr in _checks...
def x(self, name=None, **kwargs): data = self._client.api.create_project({'name': name}) return self.Meta.model(data, client=self._client, collection=self)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, **kwargs):\n data = self._client.api.create_project({'name': name})\n return self.Meta.model(data, client=self._client, collection=self)...
def x(self): key = self.cleaned_data['key'] gpg = GPG(gnupghome=GNUPG_HOME) result = gpg.import_keys(key) if result.count == 0: raise forms.ValidationError(_('Invalid Key')) return key
clean_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n key = self.cleaned_data['key']\n gpg = GPG(gnupghome=GNUPG_HOME)\n result = gpg.import_keys(key)\n if result.count == 0:\n raise fo...
def x(cls, values): self = cls() for value in values: self.add(value) return self
from_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, values):\n self = cls()\n for value in values:\n self.add(value)\n return self\n", "role": "user" }, { "content": "from_list",...
def x(self, value, default=None): path = value if isinstance(value, Path) else Path(str(value)) subtree = self for part in path.parts: try: subtree = subtree[part] except KeyError: return default return subtree
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, default=None):\n path = value if isinstance(value, Path) else Path(str(value))\n subtree = self\n for part in path.parts:\n try:\n...
def x(self, value): path = value if isinstance(value, Path) else Path(str(value)) if path and path != path.parent: destination = self for part in path.parts: destination = destination.setdefault(part, DirectoryTree())
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n path = value if isinstance(value, Path) else Path(str(value))\n if path and path != path.parent:\n destination = self\n for...
def x(config, option=None): default_endpoint = config.get('core', {}).get('default') project_endpoint = config.get('project', {}).get('core', {}).get('default', default_endpoint) return Endpoint(option or project_endpoint or default_endpoint, default =default_endpoint, project=project_endpoint, option=option)
default_endpoint_from_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, option=None):\n default_endpoint = config.get('core', {}).get('default')\n project_endpoint = config.get('project', {}).get('core', {}).get('defa...
def x(ctx, param, value): if ctx.resilient_parsing: return if not value: if 'password_stdin' in ctx.params: with click.open_file('-') as fp: value = fp.read().strip('\n') else: value = click.prompt('Password', hide_input=True) click.echo(value) return value
password_prompt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, param, value):\n if ctx.resilient_parsing:\n return\n if not value:\n if 'password_stdin' in ctx.params:\n with click.open_...
def x(ctx, attr, value): import click_completion.core if not value or ctx.resilient_parsing: return value shell, path = click_completion.core.install() click.secho('{0} completion installed in {1}'.format(shell, path), fg= 'green') ctx.exit()
install_completion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, attr, value):\n import click_completion.core\n if not value or ctx.resilient_parsing:\n return value\n shell, path = click_completion.core...
def x(ctx, param, value): if ctx.resilient_parsing: return config = ctx.obj['config'] endpoint = default_endpoint_from_config(config, option=value) if endpoint is None: raise click.UsageError('No default endpoint found.') return endpoint
default_endpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, param, value):\n if ctx.resilient_parsing:\n return\n config = ctx.obj['config']\n endpoint = default_endpoint_from_config(config, option=...
def x(ctx, param, value): try: config = ctx.obj['config'] except Exception: return endpoint = default_endpoint(ctx, param, value) if endpoint not in config.get('endpoints', {}): raise click.UsageError('Unknown endpoint: {0}'.format(endpoint)) return endpoint
validate_endpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, param, value):\n try:\n config = ctx.obj['config']\n except Exception:\n return\n endpoint = default_endpoint(ctx, param, value)\n ...
def x(graph, outputs): siblings = set() for node in outputs: siblings |= graph.siblings(node) siblings = {node.path for node in siblings} missing = siblings - {node.path for node in outputs} if missing: msg = ( 'Include the files above in the command or use the --with-siblings option.' ) raise click.ClickException( 'There are missing output siblings:\n\n\t{0}\n\n{1}'.format( '\n\t'.join(click.style(path, fg='red') for path in missing), msg)) return outputs
check_siblings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, outputs):\n siblings = set()\n for node in outputs:\n siblings |= graph.siblings(node)\n siblings = {node.path for node in siblings}\n ...
def x(graph, outputs): siblings = set() for node in outputs: siblings |= graph.siblings(node) return siblings
with_siblings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, outputs):\n siblings = set()\n for node in outputs:\n siblings |= graph.siblings(node)\n return siblings\n", "role": "user" }, {...
def x(*args, **kwargs): try: restore = 'LESS' not in os.environ os.environ.setdefault('LESS', '-iXFR') click.echo_via_pager(*args, **kwargs) finally: if restore: os.environ.pop('LESS', None)
echo_via_pager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n try:\n restore = 'LESS' not in os.environ\n os.environ.setdefault('LESS', '-iXFR')\n click.echo_via_pager(*args, **...
def x(self, ctx, args): if args and args[0] in self.commands: args.insert(0, '') super(OptionalGroup, self).parse_args(ctx, args)
parse_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx, args):\n if args and args[0] in self.commands:\n args.insert(0, '')\n super(OptionalGroup, self).parse_args(ctx, args)\n", "role": ...
def x(client, output_file, output_paths=None): output_paths = output_paths or set() import cwltool.factory from cwltool import workflow from cwltool.context import LoadingContext, RuntimeContext from cwltool.utils import visit_class def x(toolpath_object, *args, **kwargs): protocol = 'file://' def x(d): if 'location' not in d and 'path' in d: d['location'] = protocol + d['path'] visit_class(toolpath_object, ('File', 'Directory'), addLocation) return workflow.default_make_tool(toolpath_object, *args, **kwargs) argv = sys.argv sys.argv = ['cwltool'] runtime_context = RuntimeContext(kwargs={'rm_tmpdir': False, 'move_outputs': 'leave', 'preserve_entire_environment': True}) loading_context = LoadingContext(kwargs={'construct_tool_object': construct_tool_object}) factory = cwltool.factory.Factory(loading_context=loading_context, runtime_context=runtime_context) process = factory.make(os.path.relpath(str(output_file))) outputs = process() sys.argv = argv output_dirs = process.factory.executor.output_dirs def x(location, prefix='file://'): if location.startswith(prefix): return location[len(prefix):] return location locations = {remove_prefix(output['location']) for output in outputs. values()} with progressbar(locations, label='Moving outputs') as bar: for location in bar: for output_dir in output_dirs: if location.startswith(output_dir): output_path = location[len(output_dir):].lstrip(os.path.sep ) destination = client.path / output_path if destination.is_dir(): shutil.rmtree(str(destination)) destination = destination.parent shutil.move(location, str(destination)) continue unchanged_paths = client.remove_unmodified(output_paths) if unchanged_paths: click.echo('Unchanged files:\n\n\t{0}'.format('\n\t'.join(click. style(path, fg='yellow') for path in unchanged_paths)))
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, output_file, output_paths=None):\n output_paths = output_paths or set()\n import cwltool.factory\n from cwltool import workflow\n from cwlt...
def x(client, revision, auto_login): registry_url = detect_registry_url(client, auto_login=auto_login) repo = client.repo sha = repo.rev_parse(revision).hexsha short_sha = repo.git.rev_parse(sha, short=7) image = '{registry}:{short_sha}'.format(registry=registry_url.image, short_sha=short_sha) result = subprocess.run(['docker', 'image', 'pull', image]) if result.returncode != 0: raise click.ClickException( """The image "{image}" was not pulled. Push the repository to the server or build the image manually: docker build -t {image} .""" .format(image=image))
pull
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, revision, auto_login):\n registry_url = detect_registry_url(client, auto_login=auto_login)\n repo = client.repo\n sha = repo.rev_parse(revisio...
def x(client, records): from renku.models._tabulate import tabulate echo_via_pager(tabulate(records, headers=OrderedDict((('added', None), ('authors_csv', 'authors'), ('dataset', None), ('full_path', 'path')))) )
tabular
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, records):\n from renku.models._tabulate import tabulate\n echo_via_pager(tabulate(records, headers=OrderedDict((('added', None),\n ('autho...
def x(client, records): from renku.models._json import dumps from renku.models._jsonld import asjsonld data = [asjsonld(record) for record in records] echo_via_pager(dumps(data, indent=2))
jsonld
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, records):\n from renku.models._json import dumps\n from renku.models._jsonld import asjsonld\n data = [asjsonld(record) for record in records]...
def x(self, *args, **kwargs): try: result = super().main(*args, **kwargs) return result except Exception: if HAS_SENTRY: self._handle_sentry() if not (sys.stdin.isatty() and sys.stdout.isatty()): raise self._handle_github()
main
[ { "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 try:\n result = super().main(*args, **kwargs)\n return result\n except Exception:\n if HAS_SENTRY:\n ...
def x(self): from sentry_sdk import capture_exception, configure_scope from sentry_sdk.utils import capture_internal_exceptions with configure_scope() as scope: with capture_internal_exceptions(): from git import Repo from renku.cli._git import get_git_home from renku.models.datasets import Author user = Author.from_git(Repo(get_git_home())) scope.user = {'name': user.name, 'email': user.email} event_id = capture_exception() click.echo(_BUG + 'Recorded in Sentry with ID: {0}\n'.format( event_id), err=True) raise
handle_sentry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from sentry_sdk import capture_exception, configure_scope\n from sentry_sdk.utils import capture_internal_exceptions\n with configure_scope()...
def x(self): value = click.prompt(_BUG + click.style( '1. Open an issue by typing "open";\n', fg='green') + click.style( """2. Print human-readable information by typing "print"; """, fg= 'yellow') + click.style( """3. See the full traceback without submitting details (default: "ignore"). """ , fg='red') + 'Please select an action by typing its name', type= click.Choice(['open', 'print', 'ignore']), default='ignore') getattr(self, '_process_' + value)()
handle_github
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n value = click.prompt(_BUG + click.style(\n '1. Open an issue by typing \"open\";\\n', fg='green') + click.style(\n \"\"\"2. Print hum...
def x(self, limit=-5): from renku import __version__ re_paths = '(' + '|'.join([(path or os.getcwd()) for path in sys.path] ) + ')' tb = re.sub(re_paths, '[...]', traceback.format_exc(limit=limit)) return """## Describe the bug A clear and concise description. ## Details *Please verify and redact the details.* **Renku version:** """ + __version__ + '\n**OS:** ' + platform.system() + ' (' + platform.version() + ')\n**Python:** ' + platform.python_version() + """ ### Traceback ``` """ + tb + """``` ## Additional context Add any other context about the problem."""
format_issue_body
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, limit=-5):\n from renku import __version__\n re_paths = '(' + '|'.join([(path or os.getcwd()) for path in sys.path]\n ) + ')'\n tb = re.s...
def x(self): query = urlencode({'title': self._format_issue_title(), 'body': self. _format_issue_body()}) return self.REPO_URL + self.ISSUE_SUFFIX + '?' + query
format_issue_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n query = urlencode({'title': self._format_issue_title(), 'body': self.\n _format_issue_body()})\n return self.REPO_URL + self.ISSUE_SUFFIX...
def x(self): click.launch(self._format_issue_url()) if not click.confirm('Did it work?', default=True): click.echo() self._process_print() click.secho('\nOpen the line manually and copy the text above\n', fg='yellow') click.secho(' ' + self.REPO_URL + self.ISSUE_SUFFIX + '\n', bold=True)
process_open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n click.launch(self._format_issue_url())\n if not click.confirm('Did it work?', default=True):\n click.echo()\n self._process_print(...
def x(method=None, clean=None, up_to_date=None, commit=None, ignore_std_streams=True, lock=None): if method is None: return functools.partial(pass_local_client, clean=clean, up_to_date =up_to_date, commit=commit, ignore_std_streams= ignore_std_streams, lock=lock) def x(*args, **kwargs): ctx = click.get_current_context() client = ctx.ensure_object(LocalClient) stack = contextlib.ExitStack() if get_git_isolation(): client = stack.enter_context(client.worktree()) transaction = client.transaction(clean=clean, up_to_date=up_to_date, commit=commit, ignore_std_streams=ignore_std_streams) stack.enter_context(transaction) if lock or lock is None and commit: stack.enter_context(client.lock) with stack: result = ctx.invoke(method, client, *args, **kwargs) return result return functools.update_wrapper(new_func, method)
pass_local_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method=None, clean=None, up_to_date=None, commit=None,\n ignore_std_streams=True, lock=None):\n if method is None:\n return functools.partial(pass...
def x(lookup_paths, streams=('stdin', 'stdout', 'stderr')): standard_inos = {} for stream in streams: try: stream_stat = os.fstat(getattr(sys, stream).fileno()) key = stream_stat.st_dev, stream_stat.st_ino standard_inos[key] = stream except Exception: pass def x(paths): for path in paths: try: stat = os.stat(path) key = stat.st_dev, stat.st_ino if key in standard_inos: yield standard_inos[key], path except FileNotFoundError: pass return dict(stream_inos(lookup_paths)) if standard_inos else {}
mapped_std_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lookup_paths, streams=('stdin', 'stdout', 'stderr')):\n standard_inos = {}\n for stream in streams:\n try:\n stream_stat = os.fstat(get...
def x(repo, mapped_streams): for stream_name in ('stdout', 'stderr'): stream = mapped_streams.get(stream_name) if not stream: continue path = os.path.relpath(stream, start=repo.working_dir) if (path, 0) not in repo.index.entries: os.remove(stream) else: blob = repo.index.entries[path, 0].to_blob(repo) with open(path, 'wb') as fp: fp.write(blob.data_stream.read())
clean_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo, mapped_streams):\n for stream_name in ('stdout', 'stderr'):\n stream = mapped_streams.get(stream_name)\n if not stream:\n con...
def x(paths): for path in paths: path_ = Path(path) if path_.is_dir(): for expanded in path_.rglob('*'): yield str(expanded) else: yield path
expand_directories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths):\n for path in paths:\n path_ = Path(path)\n if path_.is_dir():\n for expanded in path_.rglob('*'):\n yield s...
def x(ctx, client, revision, datadir, format): ctx.meta['renku.datasets.datadir'] = datadir if ctx.invoked_subcommand is not None: return if revision is None: datasets = client.datasets.values() else: datasets = client.datasets_from_commit(client.repo.commit(revision)) DATASETS_FORMATS[format](client, datasets)
dataset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, client, revision, datadir, format):\n ctx.meta['renku.datasets.datadir'] = datadir\n if ctx.invoked_subcommand is not None:\n return\n if ...
def x(client, name): from renku.models.datasets import Author with client.with_dataset(name=name) as dataset: click.echo('Creating a dataset ... ', nl=False) author = Author.from_git(client.repo) if author not in dataset.authors: dataset.authors.append(author) click.secho('OK', fg='green')
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, name):\n from renku.models.datasets import Author\n with client.with_dataset(name=name) as dataset:\n click.echo('Creating a dataset ... '...
def x(client, name, urls, link, relative_to, target, force): try: with client.with_dataset(name=name) as dataset: target = target if target else None with progressbar(urls, label='Adding data to dataset') as bar: for url in bar: client.add_data_to_dataset(dataset, url, link=link, target=target, relative_to=relative_to, force=force) except FileNotFoundError: raise BadParameter('Could not process {0}'.format(url))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, name, urls, link, relative_to, target, force):\n try:\n with client.with_dataset(name=name) as dataset:\n target = target if targe...
def x(client, names, authors, include, exclude, format): records = _filter(client, names=names, authors=authors, include=include, exclude=exclude) DATASET_FILES_FORMATS[format](client, records)
ls_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, names, authors, include, exclude, format):\n records = _filter(client, names=names, authors=authors, include=include,\n exclude=exclude)\n ...
def x(client, name, include, exclude, yes): dataset = client.load_dataset(name=name) records = _filter(client, names=[dataset.name], include=include, exclude=exclude) if not yes and records: prompt_text = 'You are about to remove following from "{0}" dataset.\n'.format(dataset.name) + '\n'.join([str(record.full_path) for record in records]) + """ Do you wish to continue?""" click.confirm(WARNING + prompt_text, abort=True) if records: for item in records: dataset.unlink_file(item.path) dataset.to_yaml() click.secho('OK', fg='green')
unlink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, name, include, exclude, yes):\n dataset = client.load_dataset(name=name)\n records = _filter(client, names=[dataset.name], include=include,\n ...
def x(client, names): from renku.models.refs import LinkReference datasets = {name: client.dataset_path(name) for name in names} if not datasets: raise click.BadParameter('use dataset name or identifier', param_hint='names') unknown = [name for name, path in datasets.items() if not path or not path.exists()] if unknown: raise click.BadParameter('unknown datasets ' + ', '.join(unknown), param_hint='names') datasets = set(datasets.values()) with progressbar(datasets, label='Removing metadata files'.ljust(30), item_show_func=lambda item: str(item) if item else '') as bar: for dataset in bar: if dataset and dataset.exists(): dataset.unlink() with progressbar(list(LinkReference.iter_items(client, common_path= 'datasets')), label='Removing aliases'.ljust(30), item_show_func=lambda item: item.name if item else '') as bar: for ref in bar: if ref.reference in datasets: ref.delete() click.secho('OK', fg='green')
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, names):\n from renku.models.refs import LinkReference\n datasets = {name: client.dataset_path(name) for name in names}\n if not datasets:\n ...
def x(file_path, include=None, exclude=None): if exclude is not None and exclude: for pattern in exclude: if file_path.match(pattern): return False if include is not None and include: for pattern in include: if file_path.match(pattern): return True return False return True
include_exclude
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, include=None, exclude=None):\n if exclude is not None and exclude:\n for pattern in exclude:\n if file_path.match(pattern):\n ...
def x(client, names=None, authors=None, include=None, exclude=None): if isinstance(authors, str): authors = set(authors.split(',')) if isinstance(authors, list) or isinstance(authors, tuple): authors = set(authors) records = [] for path_, dataset in client.datasets.items(): if not names or dataset.name in names: for file_ in dataset.files.values(): file_.dataset = dataset.name path_ = file_.full_path.relative_to(client.path) match = _include_exclude(path_, include, exclude) if authors: match = match and authors.issubset({author.name for author in file_.authors}) if match: records.append(file_) return sorted(records, key=lambda file_: file_.added)
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, names=None, authors=None, include=None, exclude=None):\n if isinstance(authors, str):\n authors = set(authors.split(','))\n if isinstance(...
def x(key): parts = key.split('.') if len(parts) > 1: return 'renku "{0}"'.format(parts[0]), '.'.join(parts[1:]) return 'renku', key
split_section_and_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key):\n parts = key.split('.')\n if len(parts) > 1:\n return 'renku \"{0}\"'.format(parts[0]), '.'.join(parts[1:])\n return 'renku', key\n", ...
def x(client, key, value): if value is None: cfg = client.repo.config_reader() click.echo(cfg.get_value(*_split_section_and_key(key))) else: with client.repo.config_writer() as cfg: section, config_key = _split_section_and_key(key) cfg.set_value(section, config_key, value) click.echo(value)
config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, key, value):\n if value is None:\n cfg = client.repo.config_reader()\n click.echo(cfg.get_value(*_split_section_and_key(key)))\n el...
def x(url): u = parse.urlparse(url) is_git = False if os.path.splitext(u.path)[1] == '.git': is_git = True elif u.scheme in ('', 'file'): from git import InvalidGitRepositoryError, Repo try: Repo(u.path, search_parent_directories=True) is_git = True except InvalidGitRepositoryError: is_git = False return is_git
check_for_git_repo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n u = parse.urlparse(url)\n is_git = False\n if os.path.splitext(u.path)[1] == '.git':\n is_git = True\n elif u.scheme in ('', 'file')...
def x(config, endpoint): access_token = config['endpoints'][endpoint]['token']['access_token'] click.echo('export {0}={1}'.format('RENKU_ENDPOINT', endpoint)) click.echo('export {0}={1}'.format('RENKU_ACCESS_TOKEN', access_token)) click.echo('# Run this command to configure your Renku client:') click.echo('# eval "$(renku env)"')
env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, endpoint):\n access_token = config['endpoints'][endpoint]['token']['access_token']\n click.echo('export {0}={1}'.format('RENKU_ENDPOINT', endpoin...
def x(): from ._config import APP_NAME if VersionCache.load(APP_NAME).is_fresh: return from pkg_resources import parse_version from renku.version import __version__ version = parse_version(__version__) allow_prereleases = version.is_prerelease latest_version = find_latest_version('renku', allow_prereleases= allow_prereleases) if version < latest_version: click.secho( """You are using renku version {version}, however version {latest_version} is available. You should consider upgrading ...""" .format(version=__version__, latest_version=latest_version), fg ='yellow', bold=True) VersionCache(pypi_version=str(latest_version)).dump(APP_NAME)
check_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from ._config import APP_NAME\n if VersionCache.load(APP_NAME).is_fresh:\n return\n from pkg_resources import parse_version\n from renk...
def x(ctx, param, value): if ctx.resilient_parsing: return if not value and ctx.invoked_subcommand != 'run': ctx.call_on_close(_check_version)
check_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, param, value):\n if ctx.resilient_parsing:\n return\n if not value and ctx.invoked_subcommand != 'run':\n ctx.call_on_close(_check_ver...
def x(service_manager, conf, reload_method='reload'): conf.register_opts(service_opts) _load_service_manager_options(service_manager, conf) def x(): _configfile_reload(conf, reload_method) _load_service_manager_options(service_manager, conf) if os.name != 'posix': return service_manager.register_hooks(on_new_worker=functools.partial( _new_worker_hook, conf, reload_method), on_reload= _service_manager_reload)
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(service_manager, conf, reload_method='reload'):\n conf.register_opts(service_opts)\n _load_service_manager_options(service_manager, conf)\n\n def x():...
def x(self, on_terminate=None, on_reload=None, on_new_worker=None, on_dead_worker=None): if on_terminate is not None: _utils.check_callable(on_terminate, 'on_terminate') self._hooks['terminate'].append(on_terminate) if on_reload is not None: _utils.check_callable(on_reload, 'on_reload') self._hooks['reload'].append(on_reload) if on_new_worker is not None: _utils.check_callable(on_new_worker, 'on_new_worker') self._hooks['new_worker'].append(on_new_worker) if on_dead_worker is not None: _utils.check_callable(on_dead_worker, 'on_dead_worker') self._hooks['dead_worker'].append(on_dead_worker)
register_hooks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, on_terminate=None, on_reload=None, on_new_worker=None,\n on_dead_worker=None):\n if on_terminate is not None:\n _utils.check_callable(on_ter...
def x(self, service, workers=1, args=None, kwargs=None): _utils.check_callable(service, 'service') _utils.check_workers(workers, 1) service_id = uuid.uuid4() self._services[service_id] = _service.ServiceConfig(service_id, service, workers, args, kwargs) return service_id
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, workers=1, args=None, kwargs=None):\n _utils.check_callable(service, 'service')\n _utils.check_workers(workers, 1)\n service_id = uuid....
def x(self, service_id, workers): try: sc = self._services[service_id] except KeyError: raise ValueError("%s service id doesn't exists" % service_id) else: _utils.check_workers(workers, minimum=1 - sc.workers) sc.workers = workers self._forktimes = []
reconfigure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_id, workers):\n try:\n sc = self._services[service_id]\n except KeyError:\n raise ValueError(\"%s service id doesn't exists\"...
def x(self): self._systemd_notify_once() self._child_supervisor = _utils.spawn(self._child_supervisor_thread) self._wait_forever()
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._systemd_notify_once()\n self._child_supervisor = _utils.spawn(self._child_supervisor_thread)\n self._wait_forever()\n", "role": "us...
def x(self): self._run_hooks('reload') self._forktimes = [] signal.signal(signal.SIGHUP, signal.SIG_IGN) os.killpg(0, signal.SIGHUP) signal.signal(signal.SIGHUP, self._signal_catcher)
reload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._run_hooks('reload')\n self._forktimes = []\n signal.signal(signal.SIGHUP, signal.SIG_IGN)\n os.killpg(0, signal.SIGHUP)\n signal....
def x(self): for service_id in list(self._running_services.keys()): processes = list(self._running_services[service_id].items()) for process, worker_id in processes: if not process.is_alive(): self._run_hooks('dead_worker', service_id, worker_id, process.exitcode) if process.exitcode < 0: sig = _utils.signal_to_name(process.exitcode) LOG.info('Child %(pid)d killed by signal %(sig)s', dict (pid=process.pid, sig=sig)) else: LOG.info('Child %(pid)d exited with status %(code)d', dict(pid=process.pid, code=process.exitcode)) del self._running_services[service_id][process] return service_id, worker_id
get_last_worker_died
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for service_id in list(self._running_services.keys()):\n processes = list(self._running_services[service_id].items())\n for process, ...
def x(): notify_socket = os.getenv('NOTIFY_SOCKET') if notify_socket: if notify_socket.startswith('@'): notify_socket = '\x00%s' % notify_socket[1:] sock = socket.socket(socket.AF_UNIX, socket.SOCK_DGRAM) with contextlib.closing(sock): try: sock.connect(notify_socket) sock.sendall(b'READY=1') del os.environ['NOTIFY_SOCKET'] except EnvironmentError: LOG.debug('Systemd notification failed', exc_info=True)
systemd_notify_once
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n notify_socket = os.getenv('NOTIFY_SOCKET')\n if notify_socket:\n if notify_socket.startswith('@'):\n notify_socket = '\\x00%s' % n...
def x(*argtypes, **kwargtypes): theseargtypes = [T.TypeFactory(a) for a in argtypes] thesekwargtypes = {k: T.TypeFactory(a) for k, a in kwargtypes.items()} def x(func): f = func.__wrapped__ if hasattr(func, '__wrapped__') else func try: argtypes = inspect.getcallargs(f, *theseargtypes, **thesekwargtypes ) argtypes = {k: (v if issubclass(type(v), T.Type) else T. Constant(v)) for k, v in argtypes.items()} except TypeError: raise E.ArgumentTypeError( 'Invalid argument specification to @accepts in %s' % func. __qualname__) kwargname = U.get_func_kwargs_name(func) if kwargname in argtypes.keys(): argtypes[kwargname] = T.KeywordArguments() posargname = U.get_func_posargs_name(func) if posargname in argtypes.keys(): argtypes[posargname] = T.PositionalArguments() if U.has_fun_prop(func, 'argtypes'): raise ValueError('Cannot set argument types twice') U.set_fun_prop(func, 'argtypes', argtypes) return _wrap(func) return _decorator
accepts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*argtypes, **kwargtypes):\n theseargtypes = [T.TypeFactory(a) for a in argtypes]\n thesekwargtypes = {k: T.TypeFactory(a) for k, a in kwargtypes.items()}...
def x(returntype): returntype = T.TypeFactory(returntype) def x(func): if U.has_fun_prop(func, 'returntype'): raise ValueError('Cannot set return type twice') U.set_fun_prop(func, 'returntype', returntype) return _wrap(func) return _decorator
returns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(returntype):\n returntype = T.TypeFactory(returntype)\n\n def x(func):\n if U.has_fun_prop(func, 'returntype'):\n raise ValueError('Can...
def x(condition): def x(func, condition=condition): if U.has_fun_prop(func, 'requires'): if not isinstance(U.get_fun_prop(func, 'requires'), list): raise E.InternalError('Invalid requires structure') base_requires = U.get_fun_prop(func, 'requires') else: base_requires = [] base_condition = condition if '<-->' in condition: condition_parts = condition.split('<-->') assert len(condition_parts ) == 2, 'Only one implies per statement in %s condition %s' % ( condition, func.__qualname__) condition = ( '((%s) if (%s) else True) and ((%s) if (%s) else True)' % ( condition_parts[1], condition_parts[0], condition_parts[0], condition_parts[1])) elif '-->' in condition: condition_parts = condition.split('-->') assert len(condition_parts ) == 2, 'Only one implies per statement in %s condition %s' % ( base_condition, func.__qualname__) condition = '(%s) if (%s) else True' % (condition_parts[1], condition_parts[0]) U.set_fun_prop(func, 'requires', [(compile(condition, '', 'eval'), condition)] + base_requires) return _wrap(func) return _decorator
requires
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(condition):\n\n def x(func, condition=condition):\n if U.has_fun_prop(func, 'requires'):\n if not isinstance(U.get_fun_prop(func, 'require...
def x(condition): def x(func, condition=condition): if U.has_fun_prop(func, 'ensures'): if not isinstance(U.get_fun_prop(func, 'ensures'), list): raise E.InternalError('Invalid ensures strucutre') ensures_statements = U.get_fun_prop(func, 'ensures') else: ensures_statements = [] e = condition.replace('return', '__RETURN__') if '<-->' in e: e_parts = e.split('<-->') assert len(e_parts ) == 2, 'Only one implies per statement in %s condition %s' % ( ensurement, func.__qualname__) e = '((%s) if (%s) else True) and ((%s) if (%s) else True)' % ( e_parts[1], e_parts[0], e_parts[0], e_parts[1]) assert '-->' not in e, 'Only one implies per statement in %s condition %s' % ( ensurement, func.__qualname__) if '-->' in e: e_parts = e.split('-->') assert len(e_parts ) == 2, 'Only one implies per statement in %s condition %s' % ( ensurement, func.__qualname__) e = '(%s) if (%s) else True' % (e_parts[1], e_parts[0]) _bt = '__BACKTICK__' _dbt = '__DOUBLEBACKTICK__' if '``' in e: e = e.replace('``', _dbt) e = e.replace('`', _bt) compiled = compile(e, '', 'eval') U.set_fun_prop(func, 'ensures', [(2, compiled, condition)] + ensures_statements) elif '`' in e: e = e.replace('`', _bt) compiled = compile(e, '', 'eval') U.set_fun_prop(func, 'ensures', [(1, compiled, condition)] + ensures_statements) else: compiled = compile(e, '', 'eval') U.set_fun_prop(func, 'ensures', [(0, compiled, condition)] + ensures_statements) return _wrap(func) return _decorator
ensures
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(condition):\n\n def x(func, condition=condition):\n if U.has_fun_prop(func, 'ensures'):\n if not isinstance(U.get_fun_prop(func, 'ensures'...
def x(cls): for methname in dir(cls): meth = getattr(cls, methname) if U.has_fun_prop(meth, 'argtypes'): argtypes = U.get_fun_prop(meth, 'argtypes') if 'self' in argtypes and isinstance(argtypes['self'], T.Self): argtypes['self'] = T.Generic(cls) U.set_fun_prop(meth, 'argtypes', argtypes) if U.has_fun_prop(meth, 'returntype'): if isinstance(U.get_fun_prop(meth, 'returntype'), T.Self): U.set_fun_prop(meth, 'returntype', T.Generic(cls)) return cls
paranoidclass
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n for methname in dir(cls):\n meth = getattr(cls, methname)\n if U.has_fun_prop(meth, 'argtypes'):\n argtypes = U.get_fun_pro...
def x(**kwargs): def x(func): for k, v in kwargs.items(): Settings._set(k, v, function=func) return _wrap(func) return _decorator
paranoidconfig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n\n def x(func):\n for k, v in kwargs.items():\n Settings._set(k, v, function=func)\n return _wrap(func)\n return _de...
def x(v): if v is None: return Nothing() elif issubclass(type(v), Type): return v elif issubclass(v, Type): return v() elif issubclass(type(v), type): return Generic(v) else: raise InvalidTypeError('Invalid type %s' % v)
TypeFactory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v):\n if v is None:\n return Nothing()\n elif issubclass(type(v), Type):\n return v\n elif issubclass(v, Type):\n return v()\n ...
def x(profile, fqdn, refresh=False, address=None): proofs = [] try: test = profile.items() except: return proofs if 'account' in profile: accounts = profile['account'] else: return proofs for account in accounts: if 'service' in account and account['service'].lower() not in SITES: continue if 'proofType' in account and account['proofType'] == 'http': try: proof = {'service': account['service'], 'proof_url': account['proofUrl'], 'identifier': account['identifier' ], 'valid': False} if is_valid_proof(account['service'], account['identifier'], fqdn, account['proofUrl'], address=address): proof['valid'] = True proofs.append(proof) except Exception as e: pass return proofs
profile_v3_to_proofs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(profile, fqdn, refresh=False, address=None):\n proofs = []\n try:\n test = profile.items()\n except:\n return proofs\n if 'account' i...
def x(f, k): if not hasattr(f, _FUN_PROPS): return False if not isinstance(getattr(f, _FUN_PROPS), dict): return False if k not in getattr(f, _FUN_PROPS).keys(): return False return True
has_fun_prop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, k):\n if not hasattr(f, _FUN_PROPS):\n return False\n if not isinstance(getattr(f, _FUN_PROPS), dict):\n return False\n if k not in g...
def x(f, k): if not has_fun_prop(f, k): raise InternalError('Function %s has no property %s' % (str(f), k)) return getattr(f, _FUN_PROPS)[k]
get_fun_prop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, k):\n if not has_fun_prop(f, k):\n raise InternalError('Function %s has no property %s' % (str(f), k))\n return getattr(f, _FUN_PROPS)[k]\n", ...
def x(f, k, v): if not hasattr(f, _FUN_PROPS): setattr(f, _FUN_PROPS, {}) if not isinstance(getattr(f, _FUN_PROPS), dict): raise InternalError('Invalid properties dictionary for %s' % str(f)) getattr(f, _FUN_PROPS)[k] = v
set_fun_prop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, k, v):\n if not hasattr(f, _FUN_PROPS):\n setattr(f, _FUN_PROPS, {})\n if not isinstance(getattr(f, _FUN_PROPS), dict):\n raise Internal...
def x(f): sigparams = inspect.signature(f).parameters for p in sigparams: if sigparams[p].kind == inspect.Parameter.VAR_POSITIONAL: return sigparams[p].name return None
get_func_posargs_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n sigparams = inspect.signature(f).parameters\n for p in sigparams:\n if sigparams[p].kind == inspect.Parameter.VAR_POSITIONAL:\n r...
def x(f): sigparams = inspect.signature(f).parameters for p in sigparams: if sigparams[p].kind == inspect.Parameter.VAR_KEYWORD: return sigparams[p].name return None
get_func_kwargs_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n sigparams = inspect.signature(f).parameters\n for p in sigparams:\n if sigparams[p].kind == inspect.Parameter.VAR_KEYWORD:\n retu...
def x(**kwargs): for k, v in kwargs.items(): Settings._set(k, v)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n for k, v in kwargs.items():\n Settings._set(k, v)\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(name, value, function=None): if name not in Settings.__global_setting_values.keys(): raise NameError('Invalid setting value') if name in Settings.__validate_settings.keys(): if not Settings.__validate_settings[name](value): raise ValueError('Invalid setting: %s = %s' % (name, value)) if function: if not hasattr(function, Settings.FUNCTION_SETTINGS_NAME): setattr(function, Settings.FUNCTION_SETTINGS_NAME, {}) if hasattr(function, '__wrapped__'): setattr(function.__wrapped__, Settings. FUNCTION_SETTINGS_NAME, getattr(function, Settings. FUNCTION_SETTINGS_NAME)) getattr(function, Settings.FUNCTION_SETTINGS_NAME)[name] = value else: Settings.__global_setting_values[name] = value
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, value, function=None):\n if name not in Settings.__global_setting_values.keys():\n raise NameError('Invalid setting value')\n if name in Set...
def x(name, function=None): if function is not None: if hasattr(function, Settings.FUNCTION_SETTINGS_NAME): if name in getattr(function, Settings.FUNCTION_SETTINGS_NAME): return getattr(function, Settings.FUNCTION_SETTINGS_NAME)[name] return Settings.__global_setting_values[name]
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, function=None):\n if function is not None:\n if hasattr(function, Settings.FUNCTION_SETTINGS_NAME):\n if name in getattr(function, S...
def x(method): def x(*arguments, **kw): ts = time.time() result = method(*arguments, **kw) te = time.time() sys.stdout.write('Time: %r %2.2f sec\n' % (method.__name__.strip( '_'), te - ts)) sys.stdout.write('------------------------------------\n') sys.stdout.flush() return result return timed
timeit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n\n def x(*arguments, **kw):\n ts = time.time()\n result = method(*arguments, **kw)\n te = time.time()\n sys.stdout.wri...
def x(self, network_filename): self.g = nx.read_edgelist(network_filename, nodetype=int)
read_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, network_filename):\n self.g = nx.read_edgelist(network_filename, nodetype=int)\n", "role": "user" }, { "content": "read_graph", "role"...
def x(self): for n in self.g.nodes(): self.g.node[n]['communities'] = [n] all_communities = {} for ego in tqdm.tqdm(nx.nodes(self.g), ncols=35, bar_format= 'Exec: {l_bar}{bar}'): ego_minus_ego = nx.ego_graph(self.g, ego, 1, False) community_to_nodes = self.__overlapping_label_propagation(ego_minus_ego , ego) for c in community_to_nodes.keys(): if len(community_to_nodes[c]) > self.min_community_size: actual_community = community_to_nodes[c] all_communities = self.__merge_communities(all_communities, actual_community) if self.file_output: with open(self.file_output, 'w') as out_file_com: for idc, c in enumerate(all_communities.keys()): out_file_com.write('%d\t%s\n' % (idc, str(sorted(c)))) return list(all_communities.keys())
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for n in self.g.nodes():\n self.g.node[n]['communities'] = [n]\n all_communities = {}\n for ego in tqdm.tqdm(nx.nodes(self.g), ncols=3...
def x(conn, schema): sql = """ SELECT pg_catalog.format_type(t.oid, NULL), ARRAY(SELECT enumlabel FROM pg_catalog.pg_enum WHERE enumtypid = t.oid) FROM pg_catalog.pg_type t LEFT JOIN pg_catalog.pg_namespace n ON n.oid = t.typnamespace WHERE t.typtype = 'e' AND n.nspname = %s """ return {r[0]: frozenset(r[1]) for r in conn.execute(sql, (schema,))}
get_defined_enums
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(conn, schema):\n sql = \"\"\"\n SELECT\n pg_catalog.format_type(t.oid, NULL),\n ARRAY(SELECT enumlabel\n FROM ...
def x(metadata, schema, default): types = set(column.type for table in metadata.tables.values() for column in table.columns if isinstance(column.type, sqlalchemy.Enum) and schema == (column.type.schema or default)) return {t.name: frozenset(t.enums) for t in types}
get_declared_enums
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(metadata, schema, default):\n types = set(column.type for table in metadata.tables.values() for\n column in table.columns if isinstance(column.type, ...
def x(autogen_context, upgrade_ops, schema_names): to_add = set() for schema in schema_names: default = autogen_context.dialect.default_schema_name if schema is None: schema = default defined = get_defined_enums(autogen_context.connection, schema) declared = get_declared_enums(autogen_context.metadata, schema, default ) for name, new_values in declared.items(): old_values = defined.get(name) if name in defined and new_values.difference(old_values): to_add.add((schema, name, old_values, new_values)) for schema, name, old_values, new_values in sorted(to_add): op = SyncEnumValuesOp(schema, name, old_values, new_values) upgrade_ops.ops.append(op)
compare_enums
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(autogen_context, upgrade_ops, schema_names):\n to_add = set()\n for schema in schema_names:\n default = autogen_context.dialect.default_schema_nam...
def x(self, key, func=None, args=(), kwargs=None, **opts): kwargs = kwargs or {} key, store = self._expand_opts(key, opts) opts['etag'] = call_or_pass(opts.get('etag') or opts.get('etagger'), args, kwargs) if not isinstance(key, str): raise TypeError('non-string key of type %s' % type(key)) data = store.get(key) if data is not None: if not self._has_expired(data, opts): return data[VALUE_INDEX] if func is None: return None lock_func = opts.get('lock') or getattr(store, 'lock', None) lock = lock_func and lock_func(key) locked = lock and lock.acquire(opts.get('timeout', DEFAULT_TIMEOUT)) try: value = func(*args, **kwargs) finally: if locked: lock.release() creation = time() expiry = call_or_pass(opts.get('expiry'), args, kwargs) max_age = call_or_pass(opts.get('max_age'), args, kwargs) if max_age is not None: expiry = min(x for x in (expiry, creation + max_age) if x is not None) store[key] = CURRENT_PROTOCOL_VERSION, creation, expiry, opts.get('etag' ), value return value
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, func=None, args=(), kwargs=None, **opts):\n kwargs = kwargs or {}\n key, store = self._expand_opts(key, opts)\n opts['etag'] = call_or_pass...
def x(self, key, **opts): key, store = self._expand_opts(key, opts) try: del store[key] except KeyError: pass
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, **opts):\n key, store = self._expand_opts(key, opts)\n try:\n del store[key]\n except KeyError:\n pass\n", "role": "user"...
def x(self, key, expiry, **opts): key, store = self._expand_opts(key, opts) data = store.get(key) if data is not None: data = list(data) data[EXPIRY_INDEX] = expiry store[key] = tuple(data) else: raise KeyError(key)
expire_at
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, expiry, **opts):\n key, store = self._expand_opts(key, opts)\n data = store.get(key)\n if data is not None:\n data = list(data)\n ...