source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, service, routing_id, method, args=None, kwargs=None, broadcast= False, udp=False): if udp: func = self._dispatcher.send_publish_udp else: func = self._dispatcher.send_publish if not func(None, service, routing_id, method, args or (), kwargs or {}, singular=not broadcast): raise errors.Unroutable()
publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id, method, args=None, kwargs=None, broadcast=\n False, udp=False):\n if udp:\n func = self._dispatcher.send_publish_udp\n else:\n func = self._dispatcher.send_publish\n if not func(None, service, routing_id, method, args or (), kwargs or {},\n singular=not broadcast):\n raise errors.Unroutable()\n", "role": "user" }, { "content": "publish", "role": "assistant" } ]
def x(self, service, routing_id): peers = len(list(self._dispatcher.find_peer_routes(const. MSG_TYPE_PUBLISH, service, routing_id))) if self._dispatcher.locally_handles(const.MSG_TYPE_PUBLISH, service, routing_id): return peers + 1 return peers
publish_receiver_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id):\n peers = len(list(self._dispatcher.find_peer_routes(const.\n MSG_TYPE_PUBLISH, service, routing_id)))\n if self._dispatcher.locally_handles(const.MSG_TYPE_PUBLISH, service,\n routing_id):\n return peers + 1\n return peers\n", "role": "user" }, { "content": "publish_receiver_count", "role": "assistant" } ]
def x(self, service, mask, value, method, handler=None, schedule=True): if handler is None: return lambda h: self.accept_rpc(service, mask, value, method, h, schedule) log.info('accepting RPCs%s %r' % (' scheduled' if schedule else '', ( service, (mask, value), method))) self._dispatcher.add_local_subscription(const.MSG_TYPE_RPC_REQUEST, service, mask, value, method, handler, schedule) return handler
accept_rpc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, mask, value, method, handler=None, schedule=True):\n if handler is None:\n return lambda h: self.accept_rpc(service, mask, value, method, h,\n schedule)\n log.info('accepting RPCs%s %r' % (' scheduled' if schedule else '', (\n service, (mask, value), method)))\n self._dispatcher.add_local_subscription(const.MSG_TYPE_RPC_REQUEST,\n service, mask, value, method, handler, schedule)\n return handler\n", "role": "user" }, { "content": "accept_rpc", "role": "assistant" } ]
def x(self, service, mask, value): log.info('unsubscribing from RPC %r' % ((service, (mask, value)),)) return self._dispatcher.remove_local_subscription(const. MSG_TYPE_RPC_REQUEST, service, mask, value)
unsubscribe_rpc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, mask, value):\n log.info('unsubscribing from RPC %r' % ((service, (mask, value)),))\n return self._dispatcher.remove_local_subscription(const.\n MSG_TYPE_RPC_REQUEST, service, mask, value)\n", "role": "user" }, { "content": "unsubscribe_rpc", "role": "assistant" } ]
def x(self, service, routing_id, method, args=None, kwargs=None, broadcast= False): rpc = self._dispatcher.send_rpc(service, routing_id, method, args or (), kwargs or {}, not broadcast) if not rpc: raise errors.Unroutable() return rpc
send_rpc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id, method, args=None, kwargs=None, broadcast=\n False):\n rpc = self._dispatcher.send_rpc(service, routing_id, method, args or (),\n kwargs or {}, not broadcast)\n if not rpc:\n raise errors.Unroutable()\n return rpc\n", "role": "user" }, { "content": "send_rpc", "role": "assistant" } ]
def x(self, service, routing_id, method, args=None, kwargs=None, timeout= None, broadcast=False): rpc = self.send_rpc(service, routing_id, method, args or (), kwargs or {}, broadcast) return rpc.get(timeout)
rpc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id, method, args=None, kwargs=None, timeout=\n None, broadcast=False):\n rpc = self.send_rpc(service, routing_id, method, args or (), kwargs or\n {}, broadcast)\n return rpc.get(timeout)\n", "role": "user" }, { "content": "rpc", "role": "assistant" } ]
def x(self, service, routing_id): peers = len(list(self._dispatcher.find_peer_routes(const. MSG_TYPE_RPC_REQUEST, service, routing_id))) if self._dispatcher.locally_handles(const.MSG_TYPE_RPC_REQUEST, service, routing_id): return peers + 1 return peers
rpc_receiver_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id):\n peers = len(list(self._dispatcher.find_peer_routes(const.\n MSG_TYPE_RPC_REQUEST, service, routing_id)))\n if self._dispatcher.locally_handles(const.MSG_TYPE_RPC_REQUEST, service,\n routing_id):\n return peers + 1\n return peers\n", "role": "user" }, { "content": "rpc_receiver_count", "role": "assistant" } ]
def x(self): log.info('starting') self._listener_coro = backend.greenlet(self._listener) self._udp_listener_coro = backend.greenlet(self._udp_listener) backend.schedule(self._listener_coro) backend.schedule(self._udp_listener_coro) for addr in self._peers: self.add_peer(addr)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.info('starting')\n self._listener_coro = backend.greenlet(self._listener)\n self._udp_listener_coro = backend.greenlet(self._udp_listener)\n backend.schedule(self._listener_coro)\n backend.schedule(self._udp_listener_coro)\n for addr in self._peers:\n self.add_peer(addr)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, peer_addr): peer = connection.Peer(self._ident, self._dispatcher, peer_addr, backend.Socket()) peer.start() self._started_peers[peer_addr] = peer
add_peer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, peer_addr):\n peer = connection.Peer(self._ident, self._dispatcher, peer_addr,\n backend.Socket())\n peer.start()\n self._started_peers[peer_addr] = peer\n", "role": "user" }, { "content": "add_peer", "role": "assistant" } ]
def x(self): return [addr for addr, peer in self._dispatcher.peers.items() if peer.up]
peers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [addr for addr, peer in self._dispatcher.peers.items() if peer.up]\n", "role": "user" }, { "content": "peers", "role": "assistant" } ]
def x(argv=None): parser = argparse.ArgumentParser(description=DESCRIPTION, epilog=EPILOG) parser.add_argument('-v', '--verbose', help='increase output verbosity', action='store_true') parser.add_argument('--format', help= 'specify output format: csv, text (default)') parser.add_argument('--different-only', dest='different', action= 'store_true', help='limit output to just the signatures that changed') parser.add_argument('crashids', metavar='crashid', nargs='*', help= 'crash id to generate signatures for') if argv is None: args = parser.parse_args() else: args = parser.parse_args(argv) if args.format == 'csv': outputter = CSVOutput else: outputter = TextOutput api_token = os.environ.get('SOCORRO_API_TOKEN', '') generator = SignatureGenerator() if args.crashids: crashids_iterable = args.crashids elif not sys.stdin.isatty(): crashids_iterable = list(sys.stdin) else: crashids_iterable = [] if not crashids_iterable: parser.print_help() return 0 with outputter() as out: for crash_id in crashids_iterable: crash_id = crash_id.strip() resp = fetch('/RawCrash/', crash_id, api_token) if resp.status_code == 404: out.warning('%s: does not exist.' % crash_id) continue if resp.status_code == 429: out.warning('API rate limit reached. %s' % resp.content) return 1 if resp.status_code == 500: out.warning('HTTP 500: %s' % resp.content) continue raw_crash = resp.json() if 'error' in raw_crash: out.warning('Error fetching raw crash: %s' % raw_crash['error'] ) return 1 resp = fetch('/ProcessedCrash/', crash_id, api_token) if resp.status_code == 404: out.warning('%s: does not have processed crash.' % crash_id) continue if resp.status_code == 429: out.warning('API rate limit reached. %s' % resp.content) return 1 if resp.status_code == 500: out.warning('HTTP 500: %s' % resp.content) continue processed_crash = resp.json() if 'error' in processed_crash: out.warning('Error fetching processed crash: %s' % processed_crash['error']) return 1 old_signature = processed_crash['signature'] crash_data = convert_to_crash_data(raw_crash, processed_crash) result = generator.generate(crash_data) if not args.different or old_signature != result.signature: out.data(crash_id, old_signature, result, args.verbose)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None):\n parser = argparse.ArgumentParser(description=DESCRIPTION, epilog=EPILOG)\n parser.add_argument('-v', '--verbose', help='increase output verbosity',\n action='store_true')\n parser.add_argument('--format', help=\n 'specify output format: csv, text (default)')\n parser.add_argument('--different-only', dest='different', action=\n 'store_true', help='limit output to just the signatures that changed')\n parser.add_argument('crashids', metavar='crashid', nargs='*', help=\n 'crash id to generate signatures for')\n if argv is None:\n args = parser.parse_args()\n else:\n args = parser.parse_args(argv)\n if args.format == 'csv':\n outputter = CSVOutput\n else:\n outputter = TextOutput\n api_token = os.environ.get('SOCORRO_API_TOKEN', '')\n generator = SignatureGenerator()\n if args.crashids:\n crashids_iterable = args.crashids\n elif not sys.stdin.isatty():\n crashids_iterable = list(sys.stdin)\n else:\n crashids_iterable = []\n if not crashids_iterable:\n parser.print_help()\n return 0\n with outputter() as out:\n for crash_id in crashids_iterable:\n crash_id = crash_id.strip()\n resp = fetch('/RawCrash/', crash_id, api_token)\n if resp.status_code == 404:\n out.warning('%s: does not exist.' % crash_id)\n continue\n if resp.status_code == 429:\n out.warning('API rate limit reached. %s' % resp.content)\n return 1\n if resp.status_code == 500:\n out.warning('HTTP 500: %s' % resp.content)\n continue\n raw_crash = resp.json()\n if 'error' in raw_crash:\n out.warning('Error fetching raw crash: %s' % raw_crash['error']\n )\n return 1\n resp = fetch('/ProcessedCrash/', crash_id, api_token)\n if resp.status_code == 404:\n out.warning('%s: does not have processed crash.' % crash_id)\n continue\n if resp.status_code == 429:\n out.warning('API rate limit reached. %s' % resp.content)\n return 1\n if resp.status_code == 500:\n out.warning('HTTP 500: %s' % resp.content)\n continue\n processed_crash = resp.json()\n if 'error' in processed_crash:\n out.warning('Error fetching processed crash: %s' %\n processed_crash['error'])\n return 1\n old_signature = processed_crash['signature']\n crash_data = convert_to_crash_data(raw_crash, processed_crash)\n result = generator.generate(crash_data)\n if not args.different or old_signature != result.signature:\n out.data(crash_id, old_signature, result, args.verbose)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self): for server in self.servers: if self.servers[server]['cache'] == True: self.servers[server]['file'].close()
close_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for server in self.servers:\n if self.servers[server]['cache'] == True:\n self.servers[server]['file'].close()\n", "role": "user" }, { "content": "close_cache", "role": "assistant" } ]
def x(app, directory, delete=False): logger.info('Preparing output directories for jinjaapidoc.') if os.path.exists(directory): if delete: logger.debug('Deleting dir %s', directory) shutil.rmtree(directory) logger.debug('Creating dir %s', directory) os.mkdir(directory) else: logger.debug('Creating %s', directory) os.mkdir(directory)
prepare_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, directory, delete=False):\n logger.info('Preparing output directories for jinjaapidoc.')\n if os.path.exists(directory):\n if delete:\n logger.debug('Deleting dir %s', directory)\n shutil.rmtree(directory)\n logger.debug('Creating dir %s', directory)\n os.mkdir(directory)\n else:\n logger.debug('Creating %s', directory)\n os.mkdir(directory)\n", "role": "user" }, { "content": "prepare_dir", "role": "assistant" } ]
def x(package, module): assert package or module, 'Specify either package or module' if package: name = package if module: name += '.' + module else: name = module return name
makename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package, module):\n assert package or module, 'Specify either package or module'\n if package:\n name = package\n if module:\n name += '.' + module\n else:\n name = module\n return name\n", "role": "user" }, { "content": "makename", "role": "assistant" } ]
def x(app, name, text, dest, suffix, dryrun, force): fname = os.path.join(dest, '%s.%s' % (name, suffix)) if dryrun: logger.info('Would create file %s.' % fname) return if not force and os.path.isfile(fname): logger.info('File %s already exists, skipping.' % fname) else: logger.info('Creating file %s.' % fname) f = open(fname, 'w') try: f.write(text) relpath = os.path.relpath(fname, start=app.env.srcdir) abspath = os.sep + relpath docpath = app.env.relfn2path(abspath)[0] docpath = docpath.rsplit(os.path.extsep, 1)[0] logger.debug('Adding document %s' % docpath) app.env.found_docs.add(docpath) finally: f.close()
write_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, name, text, dest, suffix, dryrun, force):\n fname = os.path.join(dest, '%s.%s' % (name, suffix))\n if dryrun:\n logger.info('Would create file %s.' % fname)\n return\n if not force and os.path.isfile(fname):\n logger.info('File %s already exists, skipping.' % fname)\n else:\n logger.info('Creating file %s.' % fname)\n f = open(fname, 'w')\n try:\n f.write(text)\n relpath = os.path.relpath(fname, start=app.env.srcdir)\n abspath = os.sep + relpath\n docpath = app.env.relfn2path(abspath)[0]\n docpath = docpath.rsplit(os.path.extsep, 1)[0]\n logger.debug('Adding document %s' % docpath)\n app.env.found_docs.add(docpath)\n finally:\n f.close()\n", "role": "user" }, { "content": "write_file", "role": "assistant" } ]
def x(app, name): try: logger.debug('Importing %r', name) name, obj = autosummary.import_by_name(name)[:2] logger.debug('Imported %s', obj) return obj except ImportError as e: logger.warn('Jinjapidoc failed to import %r: %s', name, e)
import_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, name):\n try:\n logger.debug('Importing %r', name)\n name, obj = autosummary.import_by_name(name)[:2]\n logger.debug('Imported %s', obj)\n return obj\n except ImportError as e:\n logger.warn('Jinjapidoc failed to import %r: %s', name, e)\n", "role": "user" }, { "content": "import_name", "role": "assistant" } ]
def x(app, mod, typ, include_public=None): def x(x): return (x.__module__ == mod.__name__ or include_from_all and x. __name__ in all_list) all_list = getattr(mod, '__all__', []) include_from_all = app.config.jinjaapi_include_from_all include_public = include_public or [] tests = {'class': lambda x: inspect.isclass(x) and not issubclass(x, BaseException) and include_here(x), 'function': lambda x: inspect. isfunction(x) and include_here(x), 'exception': lambda x: inspect. isclass(x) and issubclass(x, BaseException) and include_here(x), 'data': lambda x: not inspect.ismodule(x) and not inspect.isclass(x ) and not inspect.isfunction(x), 'members': lambda x: True} items = [] for name in dir(mod): i = getattr(mod, name) inspect.ismodule(i) if tests.get(typ, lambda x: False)(i): items.append(name) public = [x for x in items if x in include_public or not x.startswith('_')] logger.debug('Got members of %s of type %s: public %s and %s', mod, typ, public, items) return public, items
get_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, mod, typ, include_public=None):\n\n def x(x):\n return (x.__module__ == mod.__name__ or include_from_all and x.\n __name__ in all_list)\n all_list = getattr(mod, '__all__', [])\n include_from_all = app.config.jinjaapi_include_from_all\n include_public = include_public or []\n tests = {'class': lambda x: inspect.isclass(x) and not issubclass(x,\n BaseException) and include_here(x), 'function': lambda x: inspect.\n isfunction(x) and include_here(x), 'exception': lambda x: inspect.\n isclass(x) and issubclass(x, BaseException) and include_here(x),\n 'data': lambda x: not inspect.ismodule(x) and not inspect.isclass(x\n ) and not inspect.isfunction(x), 'members': lambda x: True}\n items = []\n for name in dir(mod):\n i = getattr(mod, name)\n inspect.ismodule(i)\n if tests.get(typ, lambda x: False)(i):\n items.append(name)\n public = [x for x in items if x in include_public or not x.startswith('_')]\n logger.debug('Got members of %s of type %s: public %s and %s', mod, typ,\n public, items)\n return public, items\n", "role": "user" }, { "content": "get_members", "role": "assistant" } ]
def x(app, module): if inspect.ismodule(module): if hasattr(module, '__path__'): p = module.__path__ else: return [] elif isinstance(module, str): p = module else: raise TypeError('Only Module or String accepted. %s given.' % type( module)) logger.debug('Getting submodules of %s', p) submodules = [(name, ispkg) for loader, name, ispkg in pkgutil. iter_modules(p)] logger.debug('Found submodules of %s: %s', module, submodules) return submodules
get_submodules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, module):\n if inspect.ismodule(module):\n if hasattr(module, '__path__'):\n p = module.__path__\n else:\n return []\n elif isinstance(module, str):\n p = module\n else:\n raise TypeError('Only Module or String accepted. %s given.' % type(\n module))\n logger.debug('Getting submodules of %s', p)\n submodules = [(name, ispkg) for loader, name, ispkg in pkgutil.\n iter_modules(p)]\n logger.debug('Found submodules of %s: %s', module, submodules)\n return submodules\n", "role": "user" }, { "content": "get_submodules", "role": "assistant" } ]
def x(app, module): submodules = _get_submodules(app, module) return [name for name, ispkg in submodules if not ispkg]
get_submodules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, module):\n submodules = _get_submodules(app, module)\n return [name for name, ispkg in submodules if not ispkg]\n", "role": "user" }, { "content": "get_submodules", "role": "assistant" } ]
def x(app, module): submodules = _get_submodules(app, module) return [name for name, ispkg in submodules if ispkg]
get_subpackages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, module):\n submodules = _get_submodules(app, module)\n return [name for name, ispkg in submodules if ispkg]\n", "role": "user" }, { "content": "get_subpackages", "role": "assistant" } ]
def x(app, package, module, fullname): var = {'package': package, 'module': module, 'fullname': fullname} logger.debug('Creating context for: package %s, module %s, fullname %s', package, module, fullname) obj = import_name(app, fullname) if not obj: for k in ('subpkgs', 'submods', 'classes', 'allclasses', 'exceptions', 'allexceptions', 'functions', 'allfunctions', 'data', 'alldata', 'memebers'): var[k] = [] return var var['subpkgs'] = get_subpackages(app, obj) var['submods'] = get_submodules(app, obj) var['classes'], var['allclasses'] = get_members(app, obj, 'class') var['exceptions'], var['allexceptions'] = get_members(app, obj, 'exception' ) var['functions'], var['allfunctions'] = get_members(app, obj, 'function') var['data'], var['alldata'] = get_members(app, obj, 'data') var['members'] = get_members(app, obj, 'members') logger.debug('Created context: %s', var) return var
get_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, package, module, fullname):\n var = {'package': package, 'module': module, 'fullname': fullname}\n logger.debug('Creating context for: package %s, module %s, fullname %s',\n package, module, fullname)\n obj = import_name(app, fullname)\n if not obj:\n for k in ('subpkgs', 'submods', 'classes', 'allclasses',\n 'exceptions', 'allexceptions', 'functions', 'allfunctions',\n 'data', 'alldata', 'memebers'):\n var[k] = []\n return var\n var['subpkgs'] = get_subpackages(app, obj)\n var['submods'] = get_submodules(app, obj)\n var['classes'], var['allclasses'] = get_members(app, obj, 'class')\n var['exceptions'], var['allexceptions'] = get_members(app, obj, 'exception'\n )\n var['functions'], var['allfunctions'] = get_members(app, obj, 'function')\n var['data'], var['alldata'] = get_members(app, obj, 'data')\n var['members'] = get_members(app, obj, 'members')\n logger.debug('Created context: %s', var)\n return var\n", "role": "user" }, { "content": "get_context", "role": "assistant" } ]
def x(app, env, package, module, dest, suffix, dryrun, force): logger.debug('Create module file: package %s, module %s', package, module) template_file = MODULE_TEMPLATE_NAME template = env.get_template(template_file) fn = makename(package, module) var = get_context(app, package, module, fn) var['ispkg'] = False rendered = template.render(var) write_file(app, makename(package, module), rendered, dest, suffix, dryrun, force)
create_module_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, env, package, module, dest, suffix, dryrun, force):\n logger.debug('Create module file: package %s, module %s', package, module)\n template_file = MODULE_TEMPLATE_NAME\n template = env.get_template(template_file)\n fn = makename(package, module)\n var = get_context(app, package, module, fn)\n var['ispkg'] = False\n rendered = template.render(var)\n write_file(app, makename(package, module), rendered, dest, suffix,\n dryrun, force)\n", "role": "user" }, { "content": "create_module_file", "role": "assistant" } ]
def x(app, env, root_package, sub_package, private, dest, suffix, dryrun, force ): logger.debug('Create package file: rootpackage %s, sub_package %s', root_package, sub_package) template_file = PACKAGE_TEMPLATE_NAME template = env.get_template(template_file) fn = makename(root_package, sub_package) var = get_context(app, root_package, sub_package, fn) var['ispkg'] = True for submod in var['submods']: if shall_skip(app, submod, private): continue create_module_file(app, env, fn, submod, dest, suffix, dryrun, force) rendered = template.render(var) write_file(app, fn, rendered, dest, suffix, dryrun, force)
create_package_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, env, root_package, sub_package, private, dest, suffix, dryrun, force\n ):\n logger.debug('Create package file: rootpackage %s, sub_package %s',\n root_package, sub_package)\n template_file = PACKAGE_TEMPLATE_NAME\n template = env.get_template(template_file)\n fn = makename(root_package, sub_package)\n var = get_context(app, root_package, sub_package, fn)\n var['ispkg'] = True\n for submod in var['submods']:\n if shall_skip(app, submod, private):\n continue\n create_module_file(app, env, fn, submod, dest, suffix, dryrun, force)\n rendered = template.render(var)\n write_file(app, fn, rendered, dest, suffix, dryrun, force)\n", "role": "user" }, { "content": "create_package_file", "role": "assistant" } ]
def x(app, module, private): logger.debug('Testing if %s should be skipped.', module) if module != '__init__.py' and module.startswith('_') and not private: logger.debug('Skip %s because its either private or __init__.', module) return True logger.debug('Do not skip %s', module) return False
shall_skip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, module, private):\n logger.debug('Testing if %s should be skipped.', module)\n if module != '__init__.py' and module.startswith('_') and not private:\n logger.debug('Skip %s because its either private or __init__.', module)\n return True\n logger.debug('Do not skip %s', module)\n return False\n", "role": "user" }, { "content": "shall_skip", "role": "assistant" } ]
def x(app, env, src, dest, excludes, followlinks, force, dryrun, private, suffix): if INITPY in os.listdir(src): root_package = src.split(os.path.sep)[-1] else: root_package = None toplevels = [] for root, subs, files in walk(src, followlinks=followlinks): py_files = sorted(f for f in files if os.path.splitext(f)[1] in PY_SUFFIXES and not is_excluded(os.path.join(root, f), excludes)) is_pkg = INITPY in py_files if is_pkg: py_files.remove(INITPY) py_files.insert(0, INITPY) elif root != src: del subs[:] continue if private: exclude_prefixes = '.', else: exclude_prefixes = '.', '_' subs[:] = sorted(sub for sub in subs if not sub.startswith( exclude_prefixes) and not is_excluded(os.path.join(root, sub), excludes)) if is_pkg: if subs or len(py_files) > 1 or not shall_skip(app, os.path. join(root, INITPY), private): subpackage = root[len(src):].lstrip(os.path.sep).replace(os .path.sep, '.') create_package_file(app, env, root_package, subpackage, private, dest, suffix, dryrun, force) toplevels.append(makename(root_package, subpackage)) else: assert root == src and root_package is None for py_file in py_files: if not shall_skip(app, os.path.join(src, py_file), private): module = os.path.splitext(py_file)[0] create_module_file(app, env, root_package, module, dest, suffix, dryrun, force) toplevels.append(module) return toplevels
recurse_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, env, src, dest, excludes, followlinks, force, dryrun, private,\n suffix):\n if INITPY in os.listdir(src):\n root_package = src.split(os.path.sep)[-1]\n else:\n root_package = None\n toplevels = []\n for root, subs, files in walk(src, followlinks=followlinks):\n py_files = sorted(f for f in files if os.path.splitext(f)[1] in\n PY_SUFFIXES and not is_excluded(os.path.join(root, f), excludes))\n is_pkg = INITPY in py_files\n if is_pkg:\n py_files.remove(INITPY)\n py_files.insert(0, INITPY)\n elif root != src:\n del subs[:]\n continue\n if private:\n exclude_prefixes = '.',\n else:\n exclude_prefixes = '.', '_'\n subs[:] = sorted(sub for sub in subs if not sub.startswith(\n exclude_prefixes) and not is_excluded(os.path.join(root, sub),\n excludes))\n if is_pkg:\n if subs or len(py_files) > 1 or not shall_skip(app, os.path.\n join(root, INITPY), private):\n subpackage = root[len(src):].lstrip(os.path.sep).replace(os\n .path.sep, '.')\n create_package_file(app, env, root_package, subpackage,\n private, dest, suffix, dryrun, force)\n toplevels.append(makename(root_package, subpackage))\n else:\n assert root == src and root_package is None\n for py_file in py_files:\n if not shall_skip(app, os.path.join(src, py_file), private):\n module = os.path.splitext(py_file)[0]\n create_module_file(app, env, root_package, module, dest,\n suffix, dryrun, force)\n toplevels.append(module)\n return toplevels\n", "role": "user" }, { "content": "recurse_tree", "role": "assistant" } ]
def x(excludes): return [os.path.normpath(os.path.abspath(exclude)) for exclude in excludes]
normalize_excludes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(excludes):\n return [os.path.normpath(os.path.abspath(exclude)) for exclude in excludes]\n", "role": "user" }, { "content": "normalize_excludes", "role": "assistant" } ]
def x(root, excludes): root = os.path.normpath(root) for exclude in excludes: if root == exclude: return True return False
is_excluded
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root, excludes):\n root = os.path.normpath(root)\n for exclude in excludes:\n if root == exclude:\n return True\n return False\n", "role": "user" }, { "content": "is_excluded", "role": "assistant" } ]
def x(app, src, dest, exclude=[], followlinks=False, force=False, dryrun= False, private=False, suffix='rst', template_dirs=None): suffix = suffix.strip('.') if not os.path.isdir(src): raise OSError('%s is not a directory' % src) if not os.path.isdir(dest) and not dryrun: os.makedirs(dest) src = os.path.normpath(os.path.abspath(src)) exclude = normalize_excludes(exclude) loader = make_loader(template_dirs) env = make_environment(loader) recurse_tree(app, env, src, dest, exclude, followlinks, force, dryrun, private, suffix)
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, src, dest, exclude=[], followlinks=False, force=False, dryrun=\n False, private=False, suffix='rst', template_dirs=None):\n suffix = suffix.strip('.')\n if not os.path.isdir(src):\n raise OSError('%s is not a directory' % src)\n if not os.path.isdir(dest) and not dryrun:\n os.makedirs(dest)\n src = os.path.normpath(os.path.abspath(src))\n exclude = normalize_excludes(exclude)\n loader = make_loader(template_dirs)\n env = make_environment(loader)\n recurse_tree(app, env, src, dest, exclude, followlinks, force, dryrun,\n private, suffix)\n", "role": "user" }, { "content": "generate", "role": "assistant" } ]
def x(app): c = app.config src = c.jinjaapi_srcdir if not src: return suffix = 'rst' out = c.jinjaapi_outputdir or app.env.srcdir if c.jinjaapi_addsummarytemplate: tpath = pkg_resources.resource_filename(__package__, AUTOSUMMARYTEMPLATE_DIR) c.templates_path.append(tpath) tpath = pkg_resources.resource_filename(__package__, TEMPLATE_DIR) c.templates_path.append(tpath) prepare_dir(app, out, not c.jinjaapi_nodelete) generate(app, src, out, exclude=c.jinjaapi_exclude_paths, force=c. jinjaapi_force, followlinks=c.jinjaapi_followlinks, dryrun=c. jinjaapi_dryrun, private=c.jinjaapi_includeprivate, suffix=suffix, template_dirs=c.templates_path)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app):\n c = app.config\n src = c.jinjaapi_srcdir\n if not src:\n return\n suffix = 'rst'\n out = c.jinjaapi_outputdir or app.env.srcdir\n if c.jinjaapi_addsummarytemplate:\n tpath = pkg_resources.resource_filename(__package__,\n AUTOSUMMARYTEMPLATE_DIR)\n c.templates_path.append(tpath)\n tpath = pkg_resources.resource_filename(__package__, TEMPLATE_DIR)\n c.templates_path.append(tpath)\n prepare_dir(app, out, not c.jinjaapi_nodelete)\n generate(app, src, out, exclude=c.jinjaapi_exclude_paths, force=c.\n jinjaapi_force, followlinks=c.jinjaapi_followlinks, dryrun=c.\n jinjaapi_dryrun, private=c.jinjaapi_includeprivate, suffix=suffix,\n template_dirs=c.templates_path)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(obja, objb, rtol=1e-05, atol=1e-08): return abs(obja - objb) <= atol + rtol * abs(objb)
isclose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obja, objb, rtol=1e-05, atol=1e-08):\n return abs(obja - objb) <= atol + rtol * abs(objb)\n", "role": "user" }, { "content": "isclose", "role": "assistant" } ]
def x(obj): if obj is None or isinstance(obj, bool): return False try: cond = int(obj) == obj or float(obj) == obj except: return False return cond
isreal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if obj is None or isinstance(obj, bool):\n return False\n try:\n cond = int(obj) == obj or float(obj) == obj\n except:\n return False\n return cond\n", "role": "user" }, { "content": "isreal", "role": "assistant" } ]
def x(number): if isinstance(number, bool) or not isinstance(number, (int, float)): raise RuntimeError('Argument `number` is not valid') mant, exp = _to_scientific_tuple(number) if not exp: return str(number) floating_mant = '.' in mant mant = mant.replace('.', '') if exp < 0: return '0.' + '0' * (-exp - 1) + mant if not floating_mant: return mant + '0' * exp + ('.0' if isinstance(number, float) else '') lfpart = len(mant) - 1 if lfpart < exp: return (mant + '0' * (exp - lfpart)).rstrip('.') return mant
no_exp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(number):\n if isinstance(number, bool) or not isinstance(number, (int, float)):\n raise RuntimeError('Argument `number` is not valid')\n mant, exp = _to_scientific_tuple(number)\n if not exp:\n return str(number)\n floating_mant = '.' in mant\n mant = mant.replace('.', '')\n if exp < 0:\n return '0.' + '0' * (-exp - 1) + mant\n if not floating_mant:\n return mant + '0' * exp + ('.0' if isinstance(number, float) else '')\n lfpart = len(mant) - 1\n if lfpart < exp:\n return (mant + '0' * (exp - lfpart)).rstrip('.')\n return mant\n", "role": "user" }, { "content": "no_exp", "role": "assistant" } ]
def x(number): if isinstance(number, bool) or not isinstance(number, (int, float, str)): raise RuntimeError('Argument `number` is not valid') convert = not isinstance(number, str) if convert and not number or not convert and not number.strip('0').strip( '.'): return '0', 0 sign, digits, exp = Decimal(str(number) if convert else number).as_tuple() mant = '{sign}{itg}.{frac}'.format(sign='-' if sign else '', itg=digits [0], frac=''.join(str(item) for item in digits[1:])).rstrip('0' ).rstrip('.') exp += len(digits) - 1 return mant, exp
to_scientific_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(number):\n if isinstance(number, bool) or not isinstance(number, (int, float, str)):\n raise RuntimeError('Argument `number` is not valid')\n convert = not isinstance(number, str)\n if convert and not number or not convert and not number.strip('0').strip(\n '.'):\n return '0', 0\n sign, digits, exp = Decimal(str(number) if convert else number).as_tuple()\n mant = '{sign}{itg}.{frac}'.format(sign='-' if sign else '', itg=digits\n [0], frac=''.join(str(item) for item in digits[1:])).rstrip('0'\n ).rstrip('.')\n exp += len(digits) - 1\n return mant, exp\n", "role": "user" }, { "content": "to_scientific_tuple", "role": "assistant" } ]
def x(vector): if not len(vector): return None if len(vector) == 1: return vector[0] if len(vector) == 2: return pgcd(vector[0], vector[1]) current_gcd = pgcd(vector[0], vector[1]) for element in vector[2:]: current_gcd = pgcd(current_gcd, element) return current_gcd
gcd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vector):\n if not len(vector):\n return None\n if len(vector) == 1:\n return vector[0]\n if len(vector) == 2:\n return pgcd(vector[0], vector[1])\n current_gcd = pgcd(vector[0], vector[1])\n for element in vector[2:]:\n current_gcd = pgcd(current_gcd, element)\n return current_gcd\n", "role": "user" }, { "content": "gcd", "role": "assistant" } ]
def x(value, series, offset=0): if not _isreal(value): raise RuntimeError('Argument `value` is not valid') if not _isreal(offset): raise RuntimeError('Argument `offset` is not valid') try: smin = float(min(series)) smax = float(max(series)) except: raise RuntimeError('Argument `series` is not valid') value = float(value) offset = float(offset) if not 0 <= offset <= 1: raise ValueError('Argument `offset` has to be in the [0.0, 1.0] range') if not smin <= value <= smax: raise ValueError( 'Argument `value` has to be within the bounds of argument `series`' ) return offset + (1.0 - offset) * (value - smin) / (smax - smin)
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, series, offset=0):\n if not _isreal(value):\n raise RuntimeError('Argument `value` is not valid')\n if not _isreal(offset):\n raise RuntimeError('Argument `offset` is not valid')\n try:\n smin = float(min(series))\n smax = float(max(series))\n except:\n raise RuntimeError('Argument `series` is not valid')\n value = float(value)\n offset = float(offset)\n if not 0 <= offset <= 1:\n raise ValueError('Argument `offset` has to be in the [0.0, 1.0] range')\n if not smin <= value <= smax:\n raise ValueError(\n 'Argument `value` has to be within the bounds of argument `series`'\n )\n return offset + (1.0 - offset) * (value - smin) / (smax - smin)\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(arga, argb, prec=10): if not isinstance(prec, int): raise RuntimeError('Argument `prec` is not valid') a_type = 1 * _isreal(arga) + 2 * (isiterable(arga) and not isinstance( arga, str)) b_type = 1 * _isreal(argb) + 2 * (isiterable(argb) and not isinstance( argb, str)) if not a_type: raise RuntimeError('Argument `arga` is not valid') if not b_type: raise RuntimeError('Argument `argb` is not valid') if a_type != b_type: raise TypeError('Arguments are not of the same type') if a_type == 1: arga, argb = float(arga), float(argb) num_min, num_max = min(arga, argb), max(arga, argb) return 0 if _isclose(arga, argb) else sys.float_info.max if _isclose( num_min, 0.0) else round(num_max / num_min - 1, prec) ret = copy.copy(arga) for num, (x, y) in enumerate(zip(arga, argb)): if not _isreal(x): raise RuntimeError('Argument `arga` is not valid') if not _isreal(y): raise RuntimeError('Argument `argb` is not valid') x, y = float(x), float(y) ret[num] = 0 if _isclose(x, y) else sys.float_info.max if _isclose(x, 0.0) or _isclose(y, 0) else round(max(x, y) / min(x, y) - 1, prec) return ret
per
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arga, argb, prec=10):\n if not isinstance(prec, int):\n raise RuntimeError('Argument `prec` is not valid')\n a_type = 1 * _isreal(arga) + 2 * (isiterable(arga) and not isinstance(\n arga, str))\n b_type = 1 * _isreal(argb) + 2 * (isiterable(argb) and not isinstance(\n argb, str))\n if not a_type:\n raise RuntimeError('Argument `arga` is not valid')\n if not b_type:\n raise RuntimeError('Argument `argb` is not valid')\n if a_type != b_type:\n raise TypeError('Arguments are not of the same type')\n if a_type == 1:\n arga, argb = float(arga), float(argb)\n num_min, num_max = min(arga, argb), max(arga, argb)\n return 0 if _isclose(arga, argb) else sys.float_info.max if _isclose(\n num_min, 0.0) else round(num_max / num_min - 1, prec)\n ret = copy.copy(arga)\n for num, (x, y) in enumerate(zip(arga, argb)):\n if not _isreal(x):\n raise RuntimeError('Argument `arga` is not valid')\n if not _isreal(y):\n raise RuntimeError('Argument `argb` is not valid')\n x, y = float(x), float(y)\n ret[num] = 0 if _isclose(x, y) else sys.float_info.max if _isclose(x,\n 0.0) or _isclose(y, 0) else round(max(x, y) / min(x, y) - 1, prec)\n return ret\n", "role": "user" }, { "content": "per", "role": "assistant" } ]
def x(numa, numb): int_args = int(numa) == numa and int(numb) == numb fraction_args = isinstance(numa, Fraction) and isinstance(numb, Fraction) if int_args: numa, numb = int(numa), int(numb) elif not fraction_args: numa, numb = float(numa), float(numb) if not int_args and not fraction_args: numa, numb = Fraction(_no_exp(numa)).limit_denominator(), Fraction( _no_exp(numb)).limit_denominator() while numb: numa, numb = numb, numa % numb if int_args else (numa % numb ).limit_denominator() return int(numa) if int_args else numa if fraction_args else float(numa)
pgcd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(numa, numb):\n int_args = int(numa) == numa and int(numb) == numb\n fraction_args = isinstance(numa, Fraction) and isinstance(numb, Fraction)\n if int_args:\n numa, numb = int(numa), int(numb)\n elif not fraction_args:\n numa, numb = float(numa), float(numb)\n if not int_args and not fraction_args:\n numa, numb = Fraction(_no_exp(numa)).limit_denominator(), Fraction(\n _no_exp(numb)).limit_denominator()\n while numb:\n numa, numb = numb, numa % numb if int_args else (numa % numb\n ).limit_denominator()\n return int(numa) if int_args else numa if fraction_args else float(numa)\n", "role": "user" }, { "content": "pgcd", "role": "assistant" } ]
def x(self, post_connect_callback, channels, reconnect=False): self.post_conn_cb = post_connect_callback self.channels = channels self.wsendpoint = self.context['conf']['endpoints'].get('websocket') if not channels: return self.sock = Socketcluster.socket(self.wsendpoint) self.sock.setBasicListener(self._on_connect, self._on_connect_close, self._on_connect_error) self.sock.setAuthenticationListener(self._on_set_auth, self._on_auth) self.sock.setreconnection(reconnect) self.sock.connect()
connect_ws
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, post_connect_callback, channels, reconnect=False):\n self.post_conn_cb = post_connect_callback\n self.channels = channels\n self.wsendpoint = self.context['conf']['endpoints'].get('websocket')\n if not channels:\n return\n self.sock = Socketcluster.socket(self.wsendpoint)\n self.sock.setBasicListener(self._on_connect, self._on_connect_close,\n self._on_connect_error)\n self.sock.setAuthenticationListener(self._on_set_auth, self._on_auth)\n self.sock.setreconnection(reconnect)\n self.sock.connect()\n", "role": "user" }, { "content": "connect_ws", "role": "assistant" } ]
def x(self, method, query=None, callback=None): if callback is None: self.sock.emit(method, query) else: self.sock.emitack(method, query, callback)
wscall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, query=None, callback=None):\n if callback is None:\n self.sock.emit(method, query)\n else:\n self.sock.emitack(method, query, callback)\n", "role": "user" }, { "content": "wscall", "role": "assistant" } ]
def x(self, channels): self.log.info(f'Connecting to channels...') for chan in channels: chan.connect(self.sock) self.log.info(f'\t{chan.channel}')
connect_channels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, channels):\n self.log.info(f'Connecting to channels...')\n for chan in channels:\n chan.connect(self.sock)\n self.log.info(f'\\t{chan.channel}')\n", "role": "user" }, { "content": "connect_channels", "role": "assistant" } ]
def x(self, sock, token): self.log.info(f'Token received: {token}') sock.setAuthtoken(token)
on_set_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sock, token):\n self.log.info(f'Token received: {token}')\n sock.setAuthtoken(token)\n", "role": "user" }, { "content": "on_set_auth", "role": "assistant" } ]
def x(self, sock, authenticated): def x(eventname, error, data): if error: self.log.error(f'OnAuth: {error}') else: self.connect_channels(self.channels) self.post_conn_cb() sock.emitack('auth', self.creds, ack)
on_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sock, authenticated):\n\n def x(eventname, error, data):\n if error:\n self.log.error(f'OnAuth: {error}')\n else:\n self.connect_channels(self.channels)\n self.post_conn_cb()\n sock.emitack('auth', self.creds, ack)\n", "role": "user" }, { "content": "on_auth", "role": "assistant" } ]
def x(self, sock, err): if isinstance(err, SystemExit): self.log.error(f'Shutting down websocket connection') else: self.log.error(f'Websocket error: {err}')
on_connect_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sock, err):\n if isinstance(err, SystemExit):\n self.log.error(f'Shutting down websocket connection')\n else:\n self.log.error(f'Websocket error: {err}')\n", "role": "user" }, { "content": "on_connect_error", "role": "assistant" } ]
def x(self, sock): def x(*args, **kwargs): self.callback(self.response_type, *args, **kwargs) self.sock = sock self.sock.subscribe(self.channel) self.sock.onchannel(self.channel, cbwrap)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sock):\n\n def x(*args, **kwargs):\n self.callback(self.response_type, *args, **kwargs)\n self.sock = sock\n self.sock.subscribe(self.channel)\n self.sock.onchannel(self.channel, cbwrap)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(cmd, input=None, timeout=30, max_try=3, num_try=1): if type(cmd) == str: cmd = cmd.split() process = subprocess.Popen(cmd, stdin=open('/dev/null', 'r'), stdout= subprocess.PIPE, stderr=subprocess.PIPE) communicate_has_timeout = func_has_arg(func=process.communicate, arg= 'timeout') exception = Exception if communicate_has_timeout: exception = subprocess.TimeoutExpired stdout = stderr = b'' exitcode = None try: if communicate_has_timeout: stdout, stderr = process.communicate(input, timeout) exitcode = process.wait() elif timeout is None: stdout, stderr = process.communicate(input) exitcode = process.wait() else: def x(): target.out, target.err = process.communicate(input) import threading thread = threading.Thread(target=target) thread.start() thread.join(timeout) if thread.is_alive(): process.terminate() thread.join() exitcode = None else: exitcode = process.wait() stdout = target.out stderr = target.err except exception: if num_try < max_try: return run_cmd(cmd, input, timeout, max_try, num_try + 1) else: return CmdResult(exitcode, stdout, stderr, cmd, input) return CmdResult(exitcode, stdout, stderr, cmd, input)
run_cmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd, input=None, timeout=30, max_try=3, num_try=1):\n if type(cmd) == str:\n cmd = cmd.split()\n process = subprocess.Popen(cmd, stdin=open('/dev/null', 'r'), stdout=\n subprocess.PIPE, stderr=subprocess.PIPE)\n communicate_has_timeout = func_has_arg(func=process.communicate, arg=\n 'timeout')\n exception = Exception\n if communicate_has_timeout:\n exception = subprocess.TimeoutExpired\n stdout = stderr = b''\n exitcode = None\n try:\n if communicate_has_timeout:\n stdout, stderr = process.communicate(input, timeout)\n exitcode = process.wait()\n elif timeout is None:\n stdout, stderr = process.communicate(input)\n exitcode = process.wait()\n else:\n\n def x():\n target.out, target.err = process.communicate(input)\n import threading\n thread = threading.Thread(target=target)\n thread.start()\n thread.join(timeout)\n if thread.is_alive():\n process.terminate()\n thread.join()\n exitcode = None\n else:\n exitcode = process.wait()\n stdout = target.out\n stderr = target.err\n except exception:\n if num_try < max_try:\n return run_cmd(cmd, input, timeout, max_try, num_try + 1)\n else:\n return CmdResult(exitcode, stdout, stderr, cmd, input)\n return CmdResult(exitcode, stdout, stderr, cmd, input)\n", "role": "user" }, { "content": "run_cmd", "role": "assistant" } ]
def x(argv): for arg in argv: if not arg.startswith('-'): argv.remove(arg) return arg, argv return None, argv
pop_first_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv):\n for arg in argv:\n if not arg.startswith('-'):\n argv.remove(arg)\n return arg, argv\n return None, argv\n", "role": "user" }, { "content": "pop_first_arg", "role": "assistant" } ]
def x(options, parser): if not options.get('release_environment', None): print('release environment is required') parser.print_help() return os.EX_USAGE return 0
check_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options, parser):\n if not options.get('release_environment', None):\n print('release environment is required')\n parser.print_help()\n return os.EX_USAGE\n return 0\n", "role": "user" }, { "content": "check_options", "role": "assistant" } ]
def x(self): dumped = self._fax.codec.dump(self.__state, open(self.state_file, 'w'))
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dumped = self._fax.codec.dump(self.__state, open(self.state_file, 'w'))\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(path, template='__config__.ini.TEMPLATE', config_name= '__config__.ini', **params): config_fns = [] template_fns = rglob(path, template) for template_fn in template_fns: config_template = ConfigTemplate(fn=template_fn) config = config_template.render(fn=os.path.join(os.path.dirname( template_fn), config_name), prompt=True, path=path, **params) config.write() config_fns.append(config.fn) log.info('wrote %r' % config) return config_fns
package_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, template='__config__.ini.TEMPLATE', config_name=\n '__config__.ini', **params):\n config_fns = []\n template_fns = rglob(path, template)\n for template_fn in template_fns:\n config_template = ConfigTemplate(fn=template_fn)\n config = config_template.render(fn=os.path.join(os.path.dirname(\n template_fn), config_name), prompt=True, path=path, **params)\n config.write()\n config_fns.append(config.fn)\n log.info('wrote %r' % config)\n return config_fns\n", "role": "user" }, { "content": "package_config", "role": "assistant" } ]
def x(self, fn=None, sorted=False, wait=0): config = ConfigParser(interpolation=None) if sorted == True: keys.sort() for key in (self.__dict__.get('ordered_keys') or self.keys()): config[key] = {} ks = self[key].keys() if sorted == True: ks.sort() for k in ks: if type(self[key][k]) == list and self.__join_list__ is not None: config[key][k] = self.__join_list__.join([v for v in self[ key][k] if v != '']) else: config[key][k] = str(self[key][k]) fn = fn or self.__dict__.get('__filename__') i = 0 while os.path.exists(fn + '.LOCK') and i < wait: i += 1 time.sleep(1) if os.path.exists(fn + '.LOCK'): raise FileExistsError(fn + ' is locked for writing') else: with open(fn + '.LOCK', 'w') as lf: lf.write(time.strftime('%Y-%m-%d %H:%M:%S %Z')) with open(fn, 'w') as f: config.write(f) os.remove(fn + '.LOCK')
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn=None, sorted=False, wait=0):\n config = ConfigParser(interpolation=None)\n if sorted == True:\n keys.sort()\n for key in (self.__dict__.get('ordered_keys') or self.keys()):\n config[key] = {}\n ks = self[key].keys()\n if sorted == True:\n ks.sort()\n for k in ks:\n if type(self[key][k]) == list and self.__join_list__ is not None:\n config[key][k] = self.__join_list__.join([v for v in self[\n key][k] if v != ''])\n else:\n config[key][k] = str(self[key][k])\n fn = fn or self.__dict__.get('__filename__')\n i = 0\n while os.path.exists(fn + '.LOCK') and i < wait:\n i += 1\n time.sleep(1)\n if os.path.exists(fn + '.LOCK'):\n raise FileExistsError(fn + ' is locked for writing')\n else:\n with open(fn + '.LOCK', 'w') as lf:\n lf.write(time.strftime('%Y-%m-%d %H:%M:%S %Z'))\n with open(fn, 'w') as f:\n config.write(f)\n os.remove(fn + '.LOCK')\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): expected_keys = [] r = re.compile('%\\(([^\\)]+)\\)s') for block in self.keys(): for key in self[block].keys(): s = self[block][key] if type(s) != str: continue md = re.search(r, s) while md is not None: k = md.group(1) if k not in expected_keys: expected_keys.append(k) s = s[md.span()[1]:] md = re.search(r, s) return expected_keys
expected_param_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n expected_keys = []\n r = re.compile('%\\\\(([^\\\\)]+)\\\\)s')\n for block in self.keys():\n for key in self[block].keys():\n s = self[block][key]\n if type(s) != str:\n continue\n md = re.search(r, s)\n while md is not None:\n k = md.group(1)\n if k not in expected_keys:\n expected_keys.append(k)\n s = s[md.span()[1]:]\n md = re.search(r, s)\n return expected_keys\n", "role": "user" }, { "content": "expected_param_keys", "role": "assistant" } ]
def x(self, fn=None, prompt=False, **params): from getpass import getpass expected_keys = self.expected_param_keys() compiled_params = Dict(**params) for key in expected_keys: if key not in compiled_params.keys(): if prompt == True: if key == 'password': compiled_params[key] = getpass('%s: ' % key) else: compiled_params[key] = input('%s: ' % key) if 'path' in key: compiled_params[key] = compiled_params[key].replace( '\\', '') else: compiled_params[key] = '%%(%s)s' % key config = ConfigTemplate(fn=fn, **self) config.__dict__['ordered_keys'] = self.__dict__.get('ordered_keys') for block in config.keys(): for key in config[block].keys(): if type(config[block][key]) == str: config[block][key] = config[block][key] % compiled_params return config
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn=None, prompt=False, **params):\n from getpass import getpass\n expected_keys = self.expected_param_keys()\n compiled_params = Dict(**params)\n for key in expected_keys:\n if key not in compiled_params.keys():\n if prompt == True:\n if key == 'password':\n compiled_params[key] = getpass('%s: ' % key)\n else:\n compiled_params[key] = input('%s: ' % key)\n if 'path' in key:\n compiled_params[key] = compiled_params[key].replace(\n '\\\\', '')\n else:\n compiled_params[key] = '%%(%s)s' % key\n config = ConfigTemplate(fn=fn, **self)\n config.__dict__['ordered_keys'] = self.__dict__.get('ordered_keys')\n for block in config.keys():\n for key in config[block].keys():\n if type(config[block][key]) == str:\n config[block][key] = config[block][key] % compiled_params\n return config\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser(formatter_class= WrappedTextHelpFormatter, description=DESCRIPTION) parser.add_argument('-v', '--verbose', help='increase output verbosity', action='store_true') parser.add_argument('crashid', help='crash id to generate signatures for') args = parser.parse_args() api_token = os.environ.get('SOCORRO_API_TOKEN', '') crash_id = args.crashid.strip() resp = fetch('/RawCrash/', crash_id, api_token) if resp.status_code == 404: printerr('%s: does not exist.' % crash_id) return 1 if resp.status_code == 429: printerr('API rate limit reached. %s' % resp.content) return 1 if resp.status_code == 500: printerr('HTTP 500: %s' % resp.content) return 1 raw_crash = resp.json() if 'error' in raw_crash: print('Error fetching raw crash: %s' % raw_crash['error'], file=sys .stderr) return 1 resp = fetch('/ProcessedCrash/', crash_id, api_token) if resp.status_code == 404: printerr('%s: does not have processed crash.' % crash_id) return 1 if resp.status_code == 429: printerr('API rate limit reached. %s' % resp.content) return 1 if resp.status_code == 500: printerr('HTTP 500: %s' % resp.content) return 1 processed_crash = resp.json() if 'error' in processed_crash: printerr('Error fetching processed crash: %s' % processed_crash[ 'error']) return 1 crash_data = convert_to_crash_data(raw_crash, processed_crash) print(json.dumps(crash_data, indent=2))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser(formatter_class=\n WrappedTextHelpFormatter, description=DESCRIPTION)\n parser.add_argument('-v', '--verbose', help='increase output verbosity',\n action='store_true')\n parser.add_argument('crashid', help='crash id to generate signatures for')\n args = parser.parse_args()\n api_token = os.environ.get('SOCORRO_API_TOKEN', '')\n crash_id = args.crashid.strip()\n resp = fetch('/RawCrash/', crash_id, api_token)\n if resp.status_code == 404:\n printerr('%s: does not exist.' % crash_id)\n return 1\n if resp.status_code == 429:\n printerr('API rate limit reached. %s' % resp.content)\n return 1\n if resp.status_code == 500:\n printerr('HTTP 500: %s' % resp.content)\n return 1\n raw_crash = resp.json()\n if 'error' in raw_crash:\n print('Error fetching raw crash: %s' % raw_crash['error'], file=sys\n .stderr)\n return 1\n resp = fetch('/ProcessedCrash/', crash_id, api_token)\n if resp.status_code == 404:\n printerr('%s: does not have processed crash.' % crash_id)\n return 1\n if resp.status_code == 429:\n printerr('API rate limit reached. %s' % resp.content)\n return 1\n if resp.status_code == 500:\n printerr('HTTP 500: %s' % resp.content)\n return 1\n processed_crash = resp.json()\n if 'error' in processed_crash:\n printerr('Error fetching processed crash: %s' % processed_crash[\n 'error'])\n return 1\n crash_data = convert_to_crash_data(raw_crash, processed_crash)\n print(json.dumps(crash_data, indent=2))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, text, width, indent): parts = text.split('\n\n') for i, part in enumerate(parts): if part.startswith('* '): subparts = part.split('\n') for j, subpart in enumerate(subparts): subparts[j] = super(WrappedTextHelpFormatter, self)._fill_text( subpart, width, indent) parts[i] = '\n'.join(subparts) else: parts[i] = super(WrappedTextHelpFormatter, self)._fill_text(part, width, indent) return '\n\n'.join(parts)
fill_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, width, indent):\n parts = text.split('\\n\\n')\n for i, part in enumerate(parts):\n if part.startswith('* '):\n subparts = part.split('\\n')\n for j, subpart in enumerate(subparts):\n subparts[j] = super(WrappedTextHelpFormatter, self)._fill_text(\n subpart, width, indent)\n parts[i] = '\\n'.join(subparts)\n else:\n parts[i] = super(WrappedTextHelpFormatter, self)._fill_text(part,\n width, indent)\n return '\\n\\n'.join(parts)\n", "role": "user" }, { "content": "fill_text", "role": "assistant" } ]
def x(self): if not self.services_by_name: self.services_by_name = dict({s.get('name'): s for s in self.conf. get('api').get('services')}) return self.services_by_name
get_api_services_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.services_by_name:\n self.services_by_name = dict({s.get('name'): s for s in self.conf.\n get('api').get('services')})\n return self.services_by_name\n", "role": "user" }, { "content": "get_api_services_by_name", "role": "assistant" } ]
def x(self, apiname): try: return self.services_by_name.get(apiname).get('endpoints').copy() except AttributeError: raise Exception(f"Couldn't find the API endpoints")
get_api_endpoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, apiname):\n try:\n return self.services_by_name.get(apiname).get('endpoints').copy()\n except AttributeError:\n raise Exception(f\"Couldn't find the API endpoints\")\n", "role": "user" }, { "content": "get_api_endpoints", "role": "assistant" } ]
def x(self, apiname): try: return self.services_by_name.get(apiname).get('subscriptions').copy() except AttributeError: raise Exception(f"Couldn't find the websocket subscriptions")
get_ws_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, apiname):\n try:\n return self.services_by_name.get(apiname).get('subscriptions').copy()\n except AttributeError:\n raise Exception(f\"Couldn't find the websocket subscriptions\")\n", "role": "user" }, { "content": "get_ws_subscriptions", "role": "assistant" } ]
def x(self, name=None): if name is None: try: return self.conf.get('api').copy() except: raise Exception(f"Couldn't find the API configuration")
get_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n if name is None:\n try:\n return self.conf.get('api').copy()\n except:\n raise Exception(f\"Couldn't find the API configuration\")\n", "role": "user" }, { "content": "get_api", "role": "assistant" } ]
def x(self, name=None): try: svc = self.services_by_name.get(name, None) if svc is None: raise ValueError(f"Couldn't find the API service configuration") return svc except: raise Exception(f'Failed to retrieve the API service configuration')
get_api_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n try:\n svc = self.services_by_name.get(name, None)\n if svc is None:\n raise ValueError(f\"Couldn't find the API service configuration\")\n return svc\n except:\n raise Exception(f'Failed to retrieve the API service configuration')\n", "role": "user" }, { "content": "get_api_service", "role": "assistant" } ]
def x(exobj): regexp = re.compile("<(?:\\bclass\\b|\\btype\\b)\\s+'?([\\w|\\.]+)'?>") exc_type = str(exobj) if regexp.match(exc_type): exc_type = regexp.match(exc_type).groups()[0] exc_type = exc_type[11:] if exc_type.startswith('exceptions.' ) else exc_type if '.' in exc_type: exc_type = exc_type.split('.')[-1] return exc_type
ex_type_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exobj):\n regexp = re.compile(\"<(?:\\\\bclass\\\\b|\\\\btype\\\\b)\\\\s+'?([\\\\w|\\\\.]+)'?>\")\n exc_type = str(exobj)\n if regexp.match(exc_type):\n exc_type = regexp.match(exc_type).groups()[0]\n exc_type = exc_type[11:] if exc_type.startswith('exceptions.'\n ) else exc_type\n if '.' in exc_type:\n exc_type = exc_type.split('.')[-1]\n return exc_type\n", "role": "user" }, { "content": "ex_type_str", "role": "assistant" } ]
def x(obj): if isinstance(obj, dict): return dict([(_unicode_to_ascii(key), _unicode_to_ascii(value)) for key, value in obj.items()]) if isinstance(obj, list): return [_unicode_to_ascii(element) for element in obj] if isinstance(obj, unicode): return obj.encode('utf-8') return obj
unicode_to_ascii
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if isinstance(obj, dict):\n return dict([(_unicode_to_ascii(key), _unicode_to_ascii(value)) for\n key, value in obj.items()])\n if isinstance(obj, list):\n return [_unicode_to_ascii(element) for element in obj]\n if isinstance(obj, unicode):\n return obj.encode('utf-8')\n return obj\n", "role": "user" }, { "content": "unicode_to_ascii", "role": "assistant" } ]
def x(hub_ip, port=4444): resp = requests.get('http://%s:%s/grid/console' % (hub_ip, port)) remote_hosts = () if resp.status_code == 200: remote_hosts = re.findall('remoteHost: ([\\w/\\.:]+)', resp.text) return [(host + '/wd/hub') for host in remote_hosts]
get_remote_executors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hub_ip, port=4444):\n resp = requests.get('http://%s:%s/grid/console' % (hub_ip, port))\n remote_hosts = ()\n if resp.status_code == 200:\n remote_hosts = re.findall('remoteHost: ([\\\\w/\\\\.:]+)', resp.text)\n return [(host + '/wd/hub') for host in remote_hosts]\n", "role": "user" }, { "content": "get_remote_executors", "role": "assistant" } ]
def x(executor, capabilities): firefox_profile = capabilities.pop('firefox_profile', None) return webdriver.Remote(executor, desired_capabilities=capabilities, browser_profile=firefox_profile)
gen_remote_driver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(executor, capabilities):\n firefox_profile = capabilities.pop('firefox_profile', None)\n return webdriver.Remote(executor, desired_capabilities=capabilities,\n browser_profile=firefox_profile)\n", "role": "user" }, { "content": "gen_remote_driver", "role": "assistant" } ]
def x(browser, capabilities): if browser == 'firefox': fp = capabilities.pop('firefox_profile', None) return webdriver.Firefox(desired_capabilities=capabilities, firefox_profile=fp) elif browser == 'chrome': return webdriver.Chrome(desired_capabilities=capabilities) else: raise TypeError('Unsupport browser {}'.format(browser))
gen_local_driver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(browser, capabilities):\n if browser == 'firefox':\n fp = capabilities.pop('firefox_profile', None)\n return webdriver.Firefox(desired_capabilities=capabilities,\n firefox_profile=fp)\n elif browser == 'chrome':\n return webdriver.Chrome(desired_capabilities=capabilities)\n else:\n raise TypeError('Unsupport browser {}'.format(browser))\n", "role": "user" }, { "content": "gen_local_driver", "role": "assistant" } ]
def x(self): return (self._nuclear + self._diesel + self._gas + self._wind + self. _combined + self._vapor + self._solar + self._hydraulic + self. _carbon + self._waste + self._other)
production
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return (self._nuclear + self._diesel + self._gas + self._wind + self.\n _combined + self._vapor + self._solar + self._hydraulic + self.\n _carbon + self._waste + self._other)\n", "role": "user" }, { "content": "production", "role": "assistant" } ]
def x(self): total = 0.0 for value in self.link.values(): total += value return total
links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n total = 0.0\n for value in self.link.values():\n total += value\n return total\n", "role": "user" }, { "content": "links", "role": "assistant" } ]
def x(question, default='yes'): valid = {'yes': True, 'y': True, 'ye': True, 'no': False, 'n': False} if default is None: prompt = ' [y/n] ' elif default == 'yes': prompt = ' [Y/n] ' elif default == 'no': prompt = ' [y/N] ' else: raise ValueError("invalid default answer: '%s'" % default) while True: print(question + prompt) choice = input().lower() if default is not None and choice == '': return valid[default] elif choice in valid: return valid[choice] else: print("Please respond with 'yes' or 'no' (or 'y' or 'n').\n")
query_yes_no
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question, default='yes'):\n valid = {'yes': True, 'y': True, 'ye': True, 'no': False, 'n': False}\n if default is None:\n prompt = ' [y/n] '\n elif default == 'yes':\n prompt = ' [Y/n] '\n elif default == 'no':\n prompt = ' [y/N] '\n else:\n raise ValueError(\"invalid default answer: '%s'\" % default)\n while True:\n print(question + prompt)\n choice = input().lower()\n if default is not None and choice == '':\n return valid[default]\n elif choice in valid:\n return valid[choice]\n else:\n print(\"Please respond with 'yes' or 'no' (or 'y' or 'n').\\n\")\n", "role": "user" }, { "content": "query_yes_no", "role": "assistant" } ]
def x(self): names = [] if self.standard_name: names.append(self.standard_name) if self.systematic_name: names.append(self.systematic_name) names.extend([xref.xrid for xref in self.crossref_set.all()]) for i in range(len(names)): names[i] = re.sub(nonalpha, '', names[i]) names_string = ' '.join(names) if self.standard_name: names_string += ' ' + re.sub(num, '', self.standard_name) return names_string
wall_of_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n names = []\n if self.standard_name:\n names.append(self.standard_name)\n if self.systematic_name:\n names.append(self.systematic_name)\n names.extend([xref.xrid for xref in self.crossref_set.all()])\n for i in range(len(names)):\n names[i] = re.sub(nonalpha, '', names[i])\n names_string = ' '.join(names)\n if self.standard_name:\n names_string += ' ' + re.sub(num, '', self.standard_name)\n return names_string\n", "role": "user" }, { "content": "wall_of_name", "role": "assistant" } ]
def x(self, *args, **kwargs): empty_std_name = False if not self.standard_name or self.standard_name.isspace(): empty_std_name = True empty_sys_name = False if not self.systematic_name or self.systematic_name.isspace(): empty_sys_name = True if empty_std_name and empty_sys_name: raise ValueError('Both standard_name and systematic_name are empty') super(Gene, self).save(*args, **kwargs)
save
[ { "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 empty_std_name = False\n if not self.standard_name or self.standard_name.isspace():\n empty_std_name = True\n empty_sys_name = False\n if not self.systematic_name or self.systematic_name.isspace():\n empty_sys_name = True\n if empty_std_name and empty_sys_name:\n raise ValueError('Both standard_name and systematic_name are empty')\n super(Gene, self).save(*args, **kwargs)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, *args, **kwargs): if self.name == '': raise FieldError else: return super(CrossRefDB, self).save(*args, **kwargs)
save
[ { "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 if self.name == '':\n raise FieldError\n else:\n return super(CrossRefDB, self).save(*args, **kwargs)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, request, fileForReading): byteRange = request.getHeader(b'range') if byteRange is None or not self.getFileSize(): self._setContentHeaders(request) request.setResponseCode(http.OK) return NoRangeStaticProducer(request, fileForReading) try: parsedRanges = self._parseRangeHeader(byteRange) except ValueError: logger.warning('Ignoring malformed Range header %r' % (byteRange,)) self._setContentHeaders(request) request.setResponseCode(http.OK) return NoRangeStaticProducer(request, fileForReading) if len(parsedRanges) == 1: offset, size = self._doSingleRangeRequest(request, parsedRanges[0]) self._setContentHeaders(request, size) return SingleRangeStaticProducer(request, fileForReading, offset, size) else: rangeInfo = self._doMultipleRangeRequest(request, parsedRanges) return MultipleRangeStaticProducer(request, fileForReading, rangeInfo)
makeProducer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, fileForReading):\n byteRange = request.getHeader(b'range')\n if byteRange is None or not self.getFileSize():\n self._setContentHeaders(request)\n request.setResponseCode(http.OK)\n return NoRangeStaticProducer(request, fileForReading)\n try:\n parsedRanges = self._parseRangeHeader(byteRange)\n except ValueError:\n logger.warning('Ignoring malformed Range header %r' % (byteRange,))\n self._setContentHeaders(request)\n request.setResponseCode(http.OK)\n return NoRangeStaticProducer(request, fileForReading)\n if len(parsedRanges) == 1:\n offset, size = self._doSingleRangeRequest(request, parsedRanges[0])\n self._setContentHeaders(request, size)\n return SingleRangeStaticProducer(request, fileForReading, offset, size)\n else:\n rangeInfo = self._doMultipleRangeRequest(request, parsedRanges)\n return MultipleRangeStaticProducer(request, fileForReading, rangeInfo)\n", "role": "user" }, { "content": "makeProducer", "role": "assistant" } ]
def x(self, request): request.setHeader(b'accept-ranges', b'bytes') producer = self.makeProducer(request, self.fileObject) if request.method == b'HEAD': return b'' def x(ign): producer.stopProducing() request.notifyFinish().addCallbacks(done, done) producer.start() return server.NOT_DONE_YET
render_GET
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n request.setHeader(b'accept-ranges', b'bytes')\n producer = self.makeProducer(request, self.fileObject)\n if request.method == b'HEAD':\n return b''\n\n def x(ign):\n producer.stopProducing()\n request.notifyFinish().addCallbacks(done, done)\n producer.start()\n return server.NOT_DONE_YET\n", "role": "user" }, { "content": "render_GET", "role": "assistant" } ]
def x(self, context): self.context = context self.callback = self.context.get('callback')
interface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n self.context = context\n self.callback = self.context.get('callback')\n", "role": "user" }, { "content": "interface", "role": "assistant" } ]
def x(self): self.stopped.set() if hasattr(self.api, 'shutdown'): self.api.shutdown() for thread in self.thread.values(): thread.join()
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.stopped.set()\n if hasattr(self.api, 'shutdown'):\n self.api.shutdown()\n for thread in self.thread.values():\n thread.join()\n", "role": "user" }, { "content": "shutdown", "role": "assistant" } ]
def x(): try: alert = WebDriverWait(Web.driver, 10).until(lambda driver: driver. switch_to_alert()) return alert except: print('Waring: Timeout at %d seconds.Alert was not found.') return False
SwitchToAlert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n alert = WebDriverWait(Web.driver, 10).until(lambda driver: driver.\n switch_to_alert())\n return alert\n except:\n print('Waring: Timeout at %d seconds.Alert was not found.')\n return False\n", "role": "user" }, { "content": "SwitchToAlert", "role": "assistant" } ]
def x(cls): if not cls.__is_selector(): raise Exception('Invalid selector[%s].' % cls.__control['by']) driver = Web.driver try: elements = WebDriverWait(driver, cls.__control['timeout']).until(lambda driver: getattr(driver, 'find_elements')(cls.__control['by'], cls.__control['value'])) except: raise Exception('Timeout at %d seconds.Element(%s) not found.' % ( cls.__control['timeout'], cls.__control['by'])) if len(elements) < cls.__control['index'] + 1: raise Exception( 'Element [%s]: Element Index Issue! There are [%s] Elements! Index=[%s]' % (cls.__name__, len(elements), cls.__control['index'])) if len(elements) > 1: print('Element [%s]: There are [%d] elements, choosed index=%d' % ( cls.__name__, len(elements), cls.__control['index'])) elm = elements[cls.__control['index']] cls.__control['index'] = 0 return elm
element
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if not cls.__is_selector():\n raise Exception('Invalid selector[%s].' % cls.__control['by'])\n driver = Web.driver\n try:\n elements = WebDriverWait(driver, cls.__control['timeout']).until(lambda\n driver: getattr(driver, 'find_elements')(cls.__control['by'],\n cls.__control['value']))\n except:\n raise Exception('Timeout at %d seconds.Element(%s) not found.' % (\n cls.__control['timeout'], cls.__control['by']))\n if len(elements) < cls.__control['index'] + 1:\n raise Exception(\n 'Element [%s]: Element Index Issue! There are [%s] Elements! Index=[%s]'\n % (cls.__name__, len(elements), cls.__control['index']))\n if len(elements) > 1:\n print('Element [%s]: There are [%d] elements, choosed index=%d' % (\n cls.__name__, len(elements), cls.__control['index']))\n elm = elements[cls.__control['index']]\n cls.__control['index'] = 0\n return elm\n", "role": "user" }, { "content": "element", "role": "assistant" } ]
def x(cls): if not cls.__is_selector(): raise Exception('Invalid selector[%s].' % cls.__control['by']) driver = Web.driver try: elements = WebDriverWait(driver, cls.__control['timeout']).until(lambda driver: getattr(driver, 'find_elements')(cls.__control['by'], cls.__control['value'])) except: raise Exception('Timeout at %d seconds.Element(%s) not found.' % ( cls.__control['timeout'], cls.__control['by'])) return elements
elements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if not cls.__is_selector():\n raise Exception('Invalid selector[%s].' % cls.__control['by'])\n driver = Web.driver\n try:\n elements = WebDriverWait(driver, cls.__control['timeout']).until(lambda\n driver: getattr(driver, 'find_elements')(cls.__control['by'],\n cls.__control['value']))\n except:\n raise Exception('Timeout at %d seconds.Element(%s) not found.' % (\n cls.__control['timeout'], cls.__control['by']))\n return elements\n", "role": "user" }, { "content": "elements", "role": "assistant" } ]
def x(cls, name, regx, index=0): text = Web.PageSource() if not text: return if not isinstance(regx, re._pattern_type): raise Exception( 'DyStrData need the arg which have compiled the regular expression.' ) values = regx.findall(text) result = '' if len(values) > index: result = values[index] cls.glob.update({name: result})
DyStrData
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, regx, index=0):\n text = Web.PageSource()\n if not text:\n return\n if not isinstance(regx, re._pattern_type):\n raise Exception(\n 'DyStrData need the arg which have compiled the regular expression.'\n )\n values = regx.findall(text)\n result = ''\n if len(values) > index:\n result = values[index]\n cls.glob.update({name: result})\n", "role": "user" }, { "content": "DyStrData", "role": "assistant" } ]
def x(cls, name, sequence): cls.SetControl(by='tag name', value='body') json_body = cls._element().get_attribute('innerHTML') if not json_body: return resp = json.loads(json_body) sequence = [_parse_string_value(i) for i in sequence.split('.')] for i in sequence: try: if isinstance(i, int): resp = resp[i] else: resp = resp.get(i) except: cls.glob.update({name: None}) return cls.glob.update({name: resp})
DyJsonData
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, sequence):\n cls.SetControl(by='tag name', value='body')\n json_body = cls._element().get_attribute('innerHTML')\n if not json_body:\n return\n resp = json.loads(json_body)\n sequence = [_parse_string_value(i) for i in sequence.split('.')]\n for i in sequence:\n try:\n if isinstance(i, int):\n resp = resp[i]\n else:\n resp = resp.get(i)\n except:\n cls.glob.update({name: None})\n return\n cls.glob.update({name: resp})\n", "role": "user" }, { "content": "DyJsonData", "role": "assistant" } ]
def x(cls, url): if Web.driver.current_url == url: return True else: print('VerifyURL: %s' % Web.driver.current_url) return False
VerifyURL
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, url):\n if Web.driver.current_url == url:\n return True\n else:\n print('VerifyURL: %s' % Web.driver.current_url)\n return False\n", "role": "user" }, { "content": "VerifyURL", "role": "assistant" } ]
def x(cls, index): try: Select(cls._element()).select_by_index(int(index)) except: return False
SelectByIndex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, index):\n try:\n Select(cls._element()).select_by_index(int(index))\n except:\n return False\n", "role": "user" }, { "content": "SelectByIndex", "role": "assistant" } ]
def x(cls, index): try: Select(cls._element()).deselect_by_index(int(index)) except: return False
DeSelectByIndex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, index):\n try:\n Select(cls._element()).deselect_by_index(int(index))\n except:\n return False\n", "role": "user" }, { "content": "DeSelectByIndex", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.move_to_element(element) action.perform() time.sleep(1)
MouseOver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.move_to_element(element)\n action.perform()\n time.sleep(1)\n", "role": "user" }, { "content": "MouseOver", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.click(element) action.perform()
Click
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.click(element)\n action.perform()\n", "role": "user" }, { "content": "Click", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.double_click(element) action.perform()
DoubleClick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.double_click(element)\n action.perform()\n", "role": "user" }, { "content": "DoubleClick", "role": "assistant" } ]
def x(cls): element = cls._element() for _ in range(3): action = ActionChains(Web.driver) action.move_to_element(element) action.perform() time.sleep(0.5)
EnhancedClick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n for _ in range(3):\n action = ActionChains(Web.driver)\n action.move_to_element(element)\n action.perform()\n time.sleep(0.5)\n", "role": "user" }, { "content": "EnhancedClick", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.context_click(element) action.perform()
RightClick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.context_click(element)\n action.perform()\n", "role": "user" }, { "content": "RightClick", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.click_and_hold(element) action.perform()
ClickAndHold
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.click_and_hold(element)\n action.perform()\n", "role": "user" }, { "content": "ClickAndHold", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.release(element) action.perform()
ReleaseClick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.release(element)\n action.perform()\n", "role": "user" }, { "content": "ReleaseClick", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.send_keys_to_element(element, Keys.ENTER) action.perform()
Enter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.send_keys_to_element(element, Keys.ENTER)\n action.perform()\n", "role": "user" }, { "content": "Enter", "role": "assistant" } ]
def x(cls, key): element = cls._element() element.send_keys(Keys.CONTROL, key)
Ctrl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, key):\n element = cls._element()\n element.send_keys(Keys.CONTROL, key)\n", "role": "user" }, { "content": "Ctrl", "role": "assistant" } ]
def x(cls, key): element = cls._element() element.send_keys(Keys.ALT, key)
Alt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, key):\n element = cls._element()\n element.send_keys(Keys.ALT, key)\n", "role": "user" }, { "content": "Alt", "role": "assistant" } ]
def x(cls): element = cls._element() action = ActionChains(Web.driver) action.send_keys_to_element(element, Keys.NULL) action.perform()
Focus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n element = cls._element()\n action = ActionChains(Web.driver)\n action.send_keys_to_element(element, Keys.NULL)\n action.perform()\n", "role": "user" }, { "content": "Focus", "role": "assistant" } ]
def x(cls, filename): raise Exception('to do') TOOLS_PATH = '' RESOURCE_PATH = '' tool_4path = os.path.join(TOOLS_PATH, 'upload.exe') file_4path = os.path.join(RESOURCE_PATH, filename) if os.path.isfile(file_4path): cls.Click() os.system(tool_4path + ' ' + file_4path) else: raise Exception('%s is not exists' % file_4path)
Upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename):\n raise Exception('to do')\n TOOLS_PATH = ''\n RESOURCE_PATH = ''\n tool_4path = os.path.join(TOOLS_PATH, 'upload.exe')\n file_4path = os.path.join(RESOURCE_PATH, filename)\n if os.path.isfile(file_4path):\n cls.Click()\n os.system(tool_4path + ' ' + file_4path)\n else:\n raise Exception('%s is not exists' % file_4path)\n", "role": "user" }, { "content": "Upload", "role": "assistant" } ]
def x(cls, file_path): if not os.path.isabs(file_path): return False if os.path.isfile(file_path): cls.SendKeys(file_path) else: return False
UploadType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, file_path):\n if not os.path.isabs(file_path):\n return False\n if os.path.isfile(file_path):\n cls.SendKeys(file_path)\n else:\n return False\n", "role": "user" }, { "content": "UploadType", "role": "assistant" } ]
def x(xCqNck7t, **kwargs): def x(inlist): l = [] for i in inlist: if type(i) == dict: l.append(Dict(**i)) elif type(i) == list: l.append(make_list(i)) elif type(i) == bytes: l.append(i.decode('UTF-8')) else: l.append(i) return l for k in list(kwargs.keys()): if type(kwargs[k]) == dict: xCqNck7t[k] = Dict(**kwargs[k]) elif type(kwargs[k]) == list: xCqNck7t[k] = dict_list_val(kwargs[k]) else: xCqNck7t[k] = kwargs[k]
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xCqNck7t, **kwargs):\n\n def x(inlist):\n l = []\n for i in inlist:\n if type(i) == dict:\n l.append(Dict(**i))\n elif type(i) == list:\n l.append(make_list(i))\n elif type(i) == bytes:\n l.append(i.decode('UTF-8'))\n else:\n l.append(i)\n return l\n for k in list(kwargs.keys()):\n if type(kwargs[k]) == dict:\n xCqNck7t[k] = Dict(**kwargs[k])\n elif type(kwargs[k]) == list:\n xCqNck7t[k] = dict_list_val(kwargs[k])\n else:\n xCqNck7t[k] = kwargs[k]\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, key=None, reverse=False): ks = sorted(list(dict.keys(self)), key=key, reverse=reverse) return ks
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key=None, reverse=False):\n ks = sorted(list(dict.keys(self)), key=key, reverse=reverse)\n return ks\n", "role": "user" }, { "content": "keys", "role": "assistant" } ]
def x(self, port): self._ip = 'localhost' self._port = port self.command = [self._conf['java_path'], '-jar', self._conf['jar_path'], '-port', str(port), '-role', 'hub'] return self
hub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port):\n self._ip = 'localhost'\n self._port = port\n self.command = [self._conf['java_path'], '-jar', self._conf['jar_path'],\n '-port', str(port), '-role', 'hub']\n return self\n", "role": "user" }, { "content": "hub", "role": "assistant" } ]
def x(self, port, hub_address=('localhost', 4444)): self._ip, self._port = hub_address self.command = [self._conf['java_path'], '-jar', self._conf['jar_path'], '-port', str(port), '-role', 'node', '-hub', 'http://%s:%s/grid/register/' % (self._ip, self._port)] return self
node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port, hub_address=('localhost', 4444)):\n self._ip, self._port = hub_address\n self.command = [self._conf['java_path'], '-jar', self._conf['jar_path'],\n '-port', str(port), '-role', 'node', '-hub', \n 'http://%s:%s/grid/register/' % (self._ip, self._port)]\n return self\n", "role": "user" }, { "content": "node", "role": "assistant" } ]
def x(self): self.__subp = subprocess.Popen(self.command) time.sleep(2)
start_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.__subp = subprocess.Popen(self.command)\n time.sleep(2)\n", "role": "user" }, { "content": "start_server", "role": "assistant" } ]