source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): try: if self.args.server is not None: server = ServerLists(self.server_type) DynamicImporter('ezhost', server.name, args=self.args, configure=self.configure) else: ServerCommand(self.args) except Exception as e: raise e
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n if self.args.server is not None:\n server = ServerLists(self.server_type)\n DynamicImporter('ezhost', server.na...
def x(path, openers_list=openers, pattern='', verbose=False): if not verbose: logging.disable(logging.VERBOSE) for opener in openers_list: try: for filehandle in opener(path=path, pattern=pattern, verbose= verbose): with closing(filehandle): yield filehandle break except (zipfile.BadZipfile, tarfile.ReadError, GZValidationError, BZ2ValidationError, IOError, NotADirectoryError): continue else: logger.verbose('No opener found for path: "{}"'.format(path)) yield None
filehandles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, openers_list=openers, pattern='', verbose=False):\n if not verbose:\n logging.disable(logging.VERBOSE)\n for opener in openers_list:\n ...
def x(path, pattern='', verbose=False): if not os.path.isdir(path): raise NotADirectoryError else: openers_list = [opener for opener in openers if not opener.__name__ .startswith('directory')] for root, dirlist, filelist in os.walk(path): for filename in filelist: if pattern and not re.match(pattern, filename): logger.verbose( 'Skipping file: {}, did not match regex pattern "{}"' .format(os.path.abspath(filename), pattern)) continue filename_path = os.path.abspath(os.path.join(root, filename)) for filehandle in filehandles(filename_path, openers_list= openers_list, pattern=pattern, verbose=verbose): yield filehandle
directory_opener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, pattern='', verbose=False):\n if not os.path.isdir(path):\n raise NotADirectoryError\n else:\n openers_list = [opener for opener in o...
def x(path, pattern='', verbose=False): with (zipfile.ZipFile(io.BytesIO(urlopen(path).read()), 'r') if is_url( path) else zipfile.ZipFile(path, 'r')) as ziparchive: for zipinfo in ziparchive.infolist(): if not zipinfo.filename.endswith('/'): source = os.path.join(path, zipinfo.filename) if pattern and not re.match(pattern, zipinfo.filename): logger.verbose( 'Skipping file: {}, did not match regex pattern "{}"' .format(os.path.abspath(zipinfo.filename), pattern)) continue logger.verbose('Processing file: {}'.format(source)) filehandle = ziparchive.open(zipinfo) yield filehandle
ziparchive_opener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, pattern='', verbose=False):\n with (zipfile.ZipFile(io.BytesIO(urlopen(path).read()), 'r') if is_url(\n path) else zipfile.ZipFile(path, 'r')) ...
def x(path, pattern='', verbose=False): with (tarfile.open(fileobj=io.BytesIO(urlopen(path).read())) if is_url( path) else tarfile.open(path)) as tararchive: for tarinfo in tararchive: if tarinfo.isfile(): source = os.path.join(path, tarinfo.name) if pattern and not re.match(pattern, tarinfo.name): logger.verbose( 'Skipping file: {}, did not match regex pattern "{}"' .format(os.path.abspath(tarinfo.name), pattern)) continue logger.verbose('Processing file: {}'.format(source)) filehandle = tararchive.extractfile(tarinfo) yield filehandle
tararchive_opener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, pattern='', verbose=False):\n with (tarfile.open(fileobj=io.BytesIO(urlopen(path).read())) if is_url(\n path) else tarfile.open(path)) as tarar...
def x(path, pattern='', verbose=False): source = path if is_url(path) else os.path.abspath(path) filename = os.path.basename(path) if pattern and not re.match(pattern, filename): logger.verbose('Skipping file: {}, did not match regex pattern "{}"' .format(os.path.abspath(filename), pattern)) return try: filehandle = gzip.GzipFile(fileobj=io.BytesIO(urlopen(path).read()) ) if is_url(path) else gzip.open(path) filehandle.read(1) filehandle.seek(0) logger.verbose('Processing file: {}'.format(source)) yield filehandle except (OSError, IOError): raise GZValidationError
gzip_opener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, pattern='', verbose=False):\n source = path if is_url(path) else os.path.abspath(path)\n filename = os.path.basename(path)\n if pattern and not ...
def x(path, pattern='', verbose=False): source = path if is_url(path) else os.path.abspath(path) filename = os.path.basename(path) if pattern and not re.match(pattern, filename): logger.verbose('Skipping file: {}, did not match regex pattern "{}"' .format(os.path.abspath(path), pattern)) return try: filehandle = bz2.open(io.BytesIO(urlopen(path).read())) if is_url(path ) else bz2.open(path) filehandle.read(1) filehandle.seek(0) logger.verbose('Processing file: {}'.format(source)) yield filehandle except (OSError, IOError): raise BZ2ValidationError
bz2_opener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, pattern='', verbose=False):\n source = path if is_url(path) else os.path.abspath(path)\n filename = os.path.basename(path)\n if pattern and not ...
def x(path, pattern='', verbose=False): source = path if is_url(path) else os.path.abspath(path) filename = os.path.basename(path) if pattern and not re.match(pattern, filename): logger.verbose('Skipping file: {}, did not match regex pattern "{}"' .format(os.path.abspath(path), pattern)) return filehandle = urlopen(path) if is_url(path) else open(path) logger.verbose('Processing file: {}'.format(source)) yield filehandle
text_opener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, pattern='', verbose=False):\n source = path if is_url(path) else os.path.abspath(path)\n filename = os.path.basename(path)\n if pattern and not ...
def x(length, charset): n = len(charset) return ''.join(charset[random.randrange(n)] for _ in range(length))
random_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(length, charset):\n n = len(charset)\n return ''.join(charset[random.randrange(n)] for _ in range(length))\n", "role": "user" }, { "content":...
def x(length): charset = string.ascii_letters + string.digits return random_string(length, charset)
random_alphanum
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(length):\n charset = string.ascii_letters + string.digits\n return random_string(length, charset)\n", "role": "user" }, { "content": "random_...
def x(length): charset = ''.join(set(string.hexdigits.lower())) return random_string(length, charset)
random_hex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(length):\n charset = ''.join(set(string.hexdigits.lower()))\n return random_string(length, charset)\n", "role": "user" }, { "content": "rando...
def x(obj, formatter): if type(obj) == list: return [format_obj_keys(o, formatter) for o in obj] elif type(obj) == dict: return {formatter(k): format_obj_keys(v, formatter) for k, v in obj .items()} else: return obj
format_obj_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, formatter):\n if type(obj) == list:\n return [format_obj_keys(o, formatter) for o in obj]\n elif type(obj) == dict:\n return {formatte...
def x(self, keep_node, kill_node): for kill_link in kill_node.link_list: if kill_link.target in self.node_list: keep_node.add_link(kill_link.target, kill_link.weight) for node in self.node_list: for link in node.link_list: if link.target == kill_node: node.add_link(keep_node, link.weight) break self.remove_node(kill_node)
merge_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keep_node, kill_node):\n for kill_link in kill_node.link_list:\n if kill_link.target in self.node_list:\n keep_node.add_link(kill_li...
def x(self, nodes): if not isinstance(nodes, list): add_list = [nodes] else: add_list = nodes self.node_list.extend(add_list)
add_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nodes):\n if not isinstance(nodes, list):\n add_list = [nodes]\n else:\n add_list = nodes\n self.node_list.extend(add_list)\n", ...
def x(self, factor=0.01, include_self=False): def x(node): node_weight_sum = sum(l.weight for l in node.link_list) for original_link in node.link_list[:]: neighbor_node = original_link.target neighbor_weight = original_link.weight feather_weight = neighbor_weight / node_weight_sum neighbor_node_weight_sum = sum(l.weight for l in neighbor_node. link_list) for neighbor_link in neighbor_node.link_list: if not include_self and neighbor_link.target == node: continue relative_link_weight = (neighbor_link.weight / neighbor_node_weight_sum) feathered_link_weight = round(relative_link_weight * feather_weight * factor, 2) node.add_link(neighbor_link.target, feathered_link_weight) for n in self.node_list: feather_node(n)
feather_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, factor=0.01, include_self=False):\n\n def x(node):\n node_weight_sum = sum(l.weight for l in node.link_list)\n for original_link in node...
def x(self, noise_weights=None, uniform_amount=0.1): for node in self.node_list: for link in node.link_list: if noise_weights is not None: noise_amount = round(weighted_rand(noise_weights), 3) else: noise_amount = round(random.uniform(0, link.weight * uniform_amount), 3) link.weight += noise_amount
apply_noise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, noise_weights=None, uniform_amount=0.1):\n for node in self.node_list:\n for link in node.link_list:\n if noise_weights is not None:...
def x(self, value): try: return next(n for n in self.node_list if n.value == value) except StopIteration: return None
find_node_by_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n try:\n return next(n for n in self.node_list if n.value == value)\n except StopIteration:\n return None\n", "role": "us...
def x(self, node): if node not in self.node_list: return self.node_list.remove(node) for n in self.node_list: n.link_list = [link for link in n.link_list if link.target != node]
remove_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n if node not in self.node_list:\n return\n self.node_list.remove(node)\n for n in self.node_list:\n n.link_list = [link fo...
def x(self, value): self.node_list = [node for node in self.node_list if node.value != value] for node in self.node_list: node.link_list = [link for link in node.link_list if link.target. value != value]
remove_node_by_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self.node_list = [node for node in self.node_list if node.value != value]\n for node in self.node_list:\n node.link_list = [link f...
def x(self, value): for node in self.node_list: if node.value == value: return True else: return False
has_node_with_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n for node in self.node_list:\n if node.value == value:\n return True\n else:\n return False\n", "role": "user...
def x(self, starting_node=None): if starting_node is None: if self.current_node is None: random_node = random.choice(self.node_list) self.current_node = random_node return random_node else: starting_node = self.current_node self.current_node = weighted_choice([(link.target, link.weight) for link in starting_node.link_list]) return self.current_node
pick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, starting_node=None):\n if starting_node is None:\n if self.current_node is None:\n random_node = random.choice(self.node_list)\n ...
def x(cls, source, distance_weights=None, merge_same_words=False, group_marker_opening='<<', group_marker_closing='>>'): if distance_weights is None: distance_weights = {(1): 1} sorted_weights_list = sorted(distance_weights.items(), key=lambda i: i[0]) expression = '{0}(.+){1}|([^\\w\\s]+)\\B|([\\S]+\\b)'.format(''.join( '\\' + c for c in group_marker_opening), ''.join('\\' + c for c in group_marker_closing)) matches = re.findall(expression, source) words = [next(t for t in match if t) for match in matches] if merge_same_words: temp_node_list = [] for word in words: if word not in (n.value for n in temp_node_list): temp_node_list.append(Node(word)) for i, word in enumerate(words): matching_node = next(n for n in temp_node_list if n.value == word) for key, weight in sorted_weights_list: wrapped_index = (key + i) % len(words) target_word = words[wrapped_index] matching_target_node = next(n for n in temp_node_list if n. value == target_word) matching_node.add_link(matching_target_node, weight) else: temp_node_list = [Node(word) for word in words] for i, node in enumerate(temp_node_list): for key, weight in sorted_weights_list: wrapped_index = (key + i) % len(temp_node_list) node.add_link(temp_node_list[wrapped_index], weight) graph = cls() graph.add_nodes(temp_node_list) return graph
from_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, source, distance_weights=None, merge_same_words=False,\n group_marker_opening='<<', group_marker_closing='>>'):\n if distance_weights is None:\n ...
def x(cls, source, distance_weights=None, merge_same_words=False, group_marker_opening='<<', group_marker_closing='>>'): source_string = open(source, 'r').read() return cls.from_string(source_string, distance_weights, merge_same_words, group_marker_opening=group_marker_opening, group_marker_closing=group_marker_closing)
from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, source, distance_weights=None, merge_same_words=False,\n group_marker_opening='<<', group_marker_closing='>>'):\n source_string = open(source, 'r')....
def x(self, force_notify=None, use_email=None, use_sms=None, **kwargs): notified = False instance = kwargs.get('instance') if instance._meta.label_lower == self.model: notified = super().notify(force_notify=force_notify, use_email= use_email, use_sms=use_sms, **kwargs) return notified
notify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force_notify=None, use_email=None, use_sms=None, **kwargs):\n notified = False\n instance = kwargs.get('instance')\n if instance._meta.label_low...
def x(): if not Configuration.client_initialized: Configuration._initconf() Configuration.client_settings = Configuration.settings['client'] Configuration.client_initialized = True return Configuration.client_settings
getclient
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not Configuration.client_initialized:\n Configuration._initconf()\n Configuration.client_settings = Configuration.settings['client']\n...
def x(): if not Configuration.worker_initialized: Configuration._initconf() Configuration.worker_settings = Configuration.settings['worker'] Configuration.worker_initialized = True return Configuration.worker_settings
getworker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not Configuration.worker_initialized:\n Configuration._initconf()\n Configuration.worker_settings = Configuration.settings['worker']\n...
def x(): if not Configuration.broker_initialized: Configuration._initconf() Configuration.broker_settings = Configuration.settings['broker'] Configuration.broker_initialized = True return Configuration.broker_settings
getbroker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not Configuration.broker_initialized:\n Configuration._initconf()\n Configuration.broker_settings = Configuration.settings['broker']\n...
def x(prog_name, args=None): args = _get_parser().parse_args(args or []) locale, locale_dir = args.locale, args.locale_dir program = 'msgfmt' ensure_programs(program) def x(fn): with open(fn, 'rb') as f: sample = f.read(4) return sample[:3] == b'\xef\xbb\xbf' or sample.startswith(codecs. BOM_UTF16_LE) or sample.startswith(codecs.BOM_UTF16_BE) if locale: dirs = [os.path.join(locale_dir, l, 'LC_MESSAGES') for l in locale] else: dirs = [locale_dir] for ldir in dirs: for dir_path, dir_names, file_names in os.walk(ldir): for file_name in file_names: if not file_name.endswith('.po'): continue print_out("Processing file '{:}' in {:}".format(file_name, dir_path)) file_path = os.path.join(dir_path, file_name) if has_bom(file_path): raise RuntimeError( "The '{:}' file has a BOM (Byte Order Mark). Verboselib supports only .po files encoded in UTF-8 and without any BOM." .format(file_path)) prefix = os.path.splitext(file_path)[0] args = [program, '--check-format', '-o', native_path(prefix + '.mo'), native_path(prefix + '.po')] output, errors, status = popen_wrapper(args) if status: if errors: msg = 'Execution of %s failed: %s' % (program, errors) else: msg = 'Execution of %s failed' % program raise RuntimeError(msg)
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prog_name, args=None):\n args = _get_parser().parse_args(args or [])\n locale, locale_dir = args.locale, args.locale_dir\n program = 'msgfmt'\n ens...
def x(self, conftype): if conftype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]: raise Exception('Zooborg.getConf: invalid type') zooconf = {} if conftype == ZooConst.CLIENT: zooconf['broker'] = {} zooconf['broker']['connectionstr'] = b'tcp://localhost:5555' elif conftype == ZooConst.BROKER: zooconf['bindstr'] = b'tcp://*:5555' elif conftype == ZooConst.WORKER: zooconf['broker'] = {} zooconf['broker']['connectionstr'] = b'tcp://localhost:5555' else: raise Exception('ZooBorgconftype unknown') return zooconf
getConf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, conftype):\n if conftype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]:\n raise Exception('Zooborg.getConf: invalid type')\n zo...
def x(self, itemtype, item_id): if itemtype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]: raise Exception('Zooborg.unregister: invalid type') self.initconn() self.zk.ensure_path('/distark/' + itemtype + '/list') path = ''.join(['/distark/' + itemtype + '/list/', item_id]) if self.zk.exists(path): self.zk.delete(path, recursive=True)
unregister
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, itemtype, item_id):\n if itemtype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]:\n raise Exception('Zooborg.unregister: invalid ty...
def x(self, listtype): if listtype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]: raise Exception('Zooborg.getList: invalid type') self.initconn() return self.zk.get_children('/distark/' + listtype + '/list')
getList
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, listtype):\n if listtype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]:\n raise Exception('Zooborg.getList: invalid type')\n se...
def x(self, conftype): zooconf = {} if conftype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]: raise Exception('Zooborg.getConf: invalid type') self.initconn() if conftype in [ZooConst.CLIENT, ZooConst.WORKER]: zooconf = {'broker': {'connectionstr': None}} zoopath = '/distark/' + conftype + '/conf/broker/connectionstr' zooconf['broker']['connectionstr'], stat = self.zk.get(zoopath) if conftype in [ZooConst.BROKER]: zooconf = {'bindstr': None} zoopath = '/distark/' + conftype + '/conf/bindstr' zooconf['bindstr'], stat = self.zk.get(zoopath) return zooconf
getConf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, conftype):\n zooconf = {}\n if conftype not in [ZooConst.CLIENT, ZooConst.WORKER, ZooConst.BROKER]:\n raise Exception('Zooborg.getConf: inva...
def x(model, *args, **kwargs): try: return model._default_manager.get(*args, **kwargs) except model.DoesNotExist: return None
get_object_or_none
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, *args, **kwargs):\n try:\n return model._default_manager.get(*args, **kwargs)\n except model.DoesNotExist:\n return None\n", "ro...
def x(text: str, schema: dict) ->Any: try: data = json.loads(text) jsonschema.validate(data, schema) except (TypeError, json.decoder.JSONDecodeError): raise jsonschema.ValidationError('Could not parse json') return data
parse_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text: str, schema: dict) ->Any:\n try:\n data = json.loads(text)\n jsonschema.validate(data, schema)\n except (TypeError, json.decoder.JSON...
def x(text: str) ->Any: try: data = json.loads(text) jsonschema.validate(data, ERROR_SCHEMA) except (TypeError, json.decoder.JSONDecodeError) as e: raise jsonschema.ValidationError('Could not parse json : {0}'. format(str(e))) return data
parse_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text: str) ->Any:\n try:\n data = json.loads(text)\n jsonschema.validate(data, ERROR_SCHEMA)\n except (TypeError, json.decoder.JSONDecodeEr...
async def parse_response(response: ClientResponse, schema: dict) ->Any: """ Validate and parse the BMA answer :param response: Response of aiohttp request :param schema: The expected response structure :return: the json data """ try: data = await response.json() response.close() if schema is not None: jsonschema.validate(data, schema) return data except (TypeError, json.decoder.JSONDecodeError) as e: raise jsonschema.ValidationError('Could not parse json : {0}'. format(str(e)))
parse_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def parse_response(response: ClientResponse, schema: dict) ->Any:\n \"\"\"\n Validate and parse the BMA answer\n\n :param response: Response of aiohtt...
def x(self, scheme: str, path: str) ->str: path = path.lstrip('/') server, port = self.connection_handler.server, self.connection_handler.port if self.connection_handler.path: url = '{scheme}://{server}:{port}/{path}'.format(scheme=scheme, server=server, port=port, path=path) else: url = '{scheme}://{server}:{port}/'.format(scheme=scheme, server= server, port=port) return url + path
reverse_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scheme: str, path: str) ->str:\n path = path.lstrip('/')\n server, port = self.connection_handler.server, self.connection_handler.port\n if self...
async def requests_get(self, path: str, **kwargs) ->ClientResponse: """ Requests GET wrapper in order to use API parameters. :param path: the request path :return: """ logging.debug('Request : {0}'.format(self.reverse_url(self. connection_handler.http_scheme, path))) url = self.reverse_url(self.connection_handler.http_scheme, path) response = await self.connection_handler.session.get(url, params=kwargs, headers=self.headers, proxy=self.connection_handler.proxy, timeout=15) if response.status != 200: try: error_data = parse_error(await response.text()) raise DuniterError(error_data) except (TypeError, jsonschema.ValidationError): raise ValueError('status code != 200 => %d (%s)' % (response. status, await response.text())) return response
requests_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def requests_get(self, path: str, **kwargs) ->ClientResponse:\n \"\"\"\n Requests GET wrapper in order to use API parameters.\n\n :param path:...
async def requests_post(self, path: str, **kwargs) ->ClientResponse: """ Requests POST wrapper in order to use API parameters. :param path: the request path :return: """ if 'self_' in kwargs: kwargs['self'] = kwargs.pop('self_') logging.debug('POST : {0}'.format(kwargs)) response = await self.connection_handler.session.post(self.reverse_url( self.connection_handler.http_scheme, path), data=kwargs, headers= self.headers, proxy=self.connection_handler.proxy, timeout=15) return response
requests_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def requests_post(self, path: str, **kwargs) ->ClientResponse:\n \"\"\"\n Requests POST wrapper in order to use API parameters.\n\n :param pat...
def x(self, path: str) ->_WSRequestContextManager: url = self.reverse_url(self.connection_handler.ws_scheme, path) return self.connection_handler.session.ws_connect(url, proxy=self. connection_handler.proxy)
connect_ws
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path: str) ->_WSRequestContextManager:\n url = self.reverse_url(self.connection_handler.ws_scheme, path)\n return self.connection_handler.session.w...
async def post(self, url_path: str, params: dict=None, rtype: str= RESPONSE_JSON, schema: dict=None) ->Any: """ POST request on self.endpoint + url_path :param url_path: Url encoded path following the endpoint :param params: Url query string parameters dictionary :param rtype: Response type :param schema: Json Schema to validate response (optional, default None) :return: """ if params is None: params = dict() client = API(self.endpoint.conn_handler(self.session, self.proxy)) response = await client.requests_post(url_path, **params) if schema is not None: await parse_response(response, schema) if rtype == RESPONSE_AIOHTTP: return response elif rtype == RESPONSE_TEXT: return await response.text() elif rtype == RESPONSE_JSON: return await response.json()
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def post(self, url_path: str, params: dict=None, rtype: str=\n RESPONSE_JSON, schema: dict=None) ->Any:\n \"\"\"\n POST request on self.endpoint +...
def x(self, path: str) ->_WSRequestContextManager: client = API(self.endpoint.conn_handler(self.session, self.proxy)) return client.connect_ws(path)
connect_ws
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path: str) ->_WSRequestContextManager:\n client = API(self.endpoint.conn_handler(self.session, self.proxy))\n return client.connect_ws(path)\n", ...
def x(filepath='jeni.py', name='__version__'): context = {} for line in open(filepath): if name in line: exec(line, context) break else: raise RuntimeError('{} not found in {}'.format(name, filepath)) return context[name]
extract_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath='jeni.py', name='__version__'):\n context = {}\n for line in open(filepath):\n if name in line:\n exec(line, context)\n ...
def x(value): adapted = adapt(value) if hasattr(adapted, 'getquoted'): adapted = adapted.getquoted() return adapted
quote_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n adapted = adapt(value)\n if hasattr(adapted, 'getquoted'):\n adapted = adapted.getquoted()\n return adapted\n", "role": "user" ...
def x(self, dset): self.dset_filename = dset self.dset = nib.load(dset) self.data = self.dset.get_data() self.header = self.dset.get_header()
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dset):\n self.dset_filename = dset\n self.dset = nib.load(dset)\n self.data = self.dset.get_data()\n self.header = self.dset.get_header()\n",...
def x(self): for x in xrange(len(self.data)): for y in xrange(len(self.data[x])): for z in xrange(len(self.data[x][y])): yield (x, y, z), self.data[x][y][z]
voxel_loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for x in xrange(len(self.data)):\n for y in xrange(len(self.data[x])):\n for z in xrange(len(self.data[x][y])):\n ...
def x(name): name = name.capitalize() + 'Engine' if name in globals(): return globals()[name] raise KeyError("engine '%s' does not exist" % name)
get_engine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n name = name.capitalize() + 'Engine'\n if name in globals():\n return globals()[name]\n raise KeyError(\"engine '%s' does not exist\" %...
def x(scope): QtCore.THREADSAFE_NONE = XThreadNone() QtGui.QDialog = QDialog scope['QtCore'] = QtCore scope['QtGui'] = QtGui scope['QtWebKit'] = lazy_import('PySide.QtWebKit') scope['QtNetwork'] = lazy_import('PySide.QtNetwork') scope['QtXml'] = lazy_import('PySide.QtXml') scope['uic'] = Uic() scope['rcc_exe'] = 'pyside-rcc' QtCore.QDate.toPyDate = lambda x: x.toPython() QtCore.QDateTime.toPyDateTime = lambda x: x.toPython() QtCore.QTime.toPyTime = lambda x: x.toPython() QtCore.QStringList = list QtCore.QString = unicode
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scope):\n QtCore.THREADSAFE_NONE = XThreadNone()\n QtGui.QDialog = QDialog\n scope['QtCore'] = QtCore\n scope['QtGui'] = QtGui\n scope['QtWebKit...
def x(self, parent=None, name=''): action = super(UiLoader, self).createAction(parent, name) if not action.parent(): action.setParent(self._baseinstance) setattr(self._baseinstance, name, action) return action
createAction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent=None, name=''):\n action = super(UiLoader, self).createAction(parent, name)\n if not action.parent():\n action.setParent(self._basein...
def x(self, parent=None, name=''): actionGroup = super(UiLoader, self).createActionGroup(parent, name) if not actionGroup.parent(): actionGroup.setParent(self._baseinstance) setattr(self._baseinstance, name, actionGroup) return actionGroup
createActionGroup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent=None, name=''):\n actionGroup = super(UiLoader, self).createActionGroup(parent, name)\n if not actionGroup.parent():\n actionGroup.se...
def x(self, className, parent=None, name=''): layout = super(UiLoader, self).createLayout(className, parent, name) setattr(self._baseinstance, name, layout) return layout
createLayout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, className, parent=None, name=''):\n layout = super(UiLoader, self).createLayout(className, parent, name)\n setattr(self._baseinstance, name, layout...
def x(self, className, parent=None, name=''): className = str(className) if className in self.dynamicWidgets: widget = self.dynamicWidgets[className](parent) if parent: widget.setPalette(parent.palette()) widget.setObjectName(name) if className == 'QWebView': widget.setUrl(QtCore.QUrl('http://www.google.com')) else: widget = super(UiLoader, self).createWidget(className, parent, name) if parent: widget.setPalette(parent.palette()) if parent is None: return self._baseinstance else: setattr(self._baseinstance, name, widget) return widget
createWidget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, className, parent=None, name=''):\n className = str(className)\n if className in self.dynamicWidgets:\n widget = self.dynamicWidgets[classNa...
def x(self, filename, baseinstance=None): try: xui = ElementTree.parse(filename) except xml.parsers.expat.ExpatError: log.exception('Could not load file: %s' % filename) return None loader = UiLoader(baseinstance) xcustomwidgets = xui.find('customwidgets') if xcustomwidgets is not None: for xcustom in xcustomwidgets: header = xcustom.find('header').text clsname = xcustom.find('class').text if not header: continue if clsname in loader.dynamicWidgets: continue if '/' in header: header = 'xqt.' + '.'.join(header.split('/')[:-1]) try: __import__(header) module = sys.modules[header] cls = getattr(module, clsname) except (ImportError, KeyError, AttributeError): log.error('Could not load %s.%s' % (header, clsname)) continue loader.dynamicWidgets[clsname] = cls loader.registerCustomWidget(cls) ui = loader.load(filename) QtCore.QMetaObject.connectSlotsByName(ui) return ui
loadUi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, baseinstance=None):\n try:\n xui = ElementTree.parse(filename)\n except xml.parsers.expat.ExpatError:\n log.exception('Coul...
def x(self, event): super(QDialog, self).showEvent(event) if not self._centered: self._centered = True try: window = self.parent().window() center = window.geometry().center() except AttributeError: return else: self.move(center.x() - self.width() / 2, center.y() - self. height() / 2)
showEvent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n super(QDialog, self).showEvent(event)\n if not self._centered:\n self._centered = True\n try:\n window = self.pa...
def x(uri, storage_args={}): if isinstance(uri, BaseURI): return uri uri_obj = None o = urlparse(uri) for storage in STORAGES: uri_obj = storage.parse_uri(o, storage_args=storage_args) if uri_obj is not None: break if uri_obj is None: raise TypeError('<{}> is an unsupported URI.'.format(uri)) return uri_obj
get_uri_obj
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri, storage_args={}):\n if isinstance(uri, BaseURI):\n return uri\n uri_obj = None\n o = urlparse(uri)\n for storage in STORAGES:\n ...
def x(uri, mode='rb', auto_compress=True, in_memory=True, delete_tempfile= True, textio_args={}, storage_args={}): if isinstance(uri, BaseURI): uri = str(uri) uri_obj = get_uri_obj(uri, storage_args) if mode == 'rb': read_mode, binary_mode = True, True elif mode == 'r': read_mode, binary_mode = True, False elif mode == 'w': read_mode, binary_mode = False, False elif mode == 'wb': read_mode, binary_mode = False, True else: raise TypeError('`mode` cannot be "{}".'.format(mode)) if read_mode: if in_memory: file_obj = BytesIO(uri_obj.get_content()) setattr(file_obj, 'name', str(uri_obj)) else: file_obj = _TemporaryURIFileIO(uri_obj=uri_obj, input_mode=True, delete_tempfile=delete_tempfile) elif in_memory: file_obj = URIBytesOutput(uri_obj) else: file_obj = _TemporaryURIFileIO(uri_obj=uri_obj, input_mode=False, pre_close_action=uri_obj.upload_file, delete_tempfile= delete_tempfile) setattr(file_obj, 'name', str(uri_obj)) temp_name = getattr(file_obj, 'temp_name', None) if auto_compress: _, ext = os.path.splitext(uri) ext = ext.lower() if ext == '.gz': file_obj = gzip.GzipFile(fileobj=file_obj, mode='rb' if read_mode else 'wb') if not binary_mode: textio_args.setdefault('encoding', 'utf-8') file_obj = TextIOWrapper(file_obj, **textio_args) if not hasattr(file_obj, 'temp_name'): setattr(file_obj, 'temp_name', temp_name) return file_obj
uri_open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri, mode='rb', auto_compress=True, in_memory=True, delete_tempfile=\n True, textio_args={}, storage_args={}):\n if isinstance(uri, BaseURI):\n ur...
def x(*args, **kwargs): with uri_open(*args, **kwargs) as f: content = f.read() return content
uri_read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n with uri_open(*args, **kwargs) as f:\n content = f.read()\n return content\n", "role": "user" }, { "content": "uri...
def x(uri, content, mode='wb', **kwargs): if 'r' in mode: raise ValueError('Read mode is not allowed for `uri_dump`.') with uri_open(uri, mode=mode, **kwargs) as f: f.write(content) f.flush()
uri_dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri, content, mode='wb', **kwargs):\n if 'r' in mode:\n raise ValueError('Read mode is not allowed for `uri_dump`.')\n with uri_open(uri, mode=mod...
def x(uri, timeout=300, interval=5, storage_args={}): uri_obj = get_uri_obj(uri, storage_args) start_time = time.time() while time.time() - start_time < timeout: if uri_obj.exists(): return True time.sleep(interval) if uri_exists(uri): return True return False
uri_exists_wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri, timeout=300, interval=5, storage_args={}):\n uri_obj = get_uri_obj(uri, storage_args)\n start_time = time.time()\n while time.time() - start_time...
def x(self, amount, **kwargs): params = self.config.clone().update({'amount': amount}).update(kwargs) mandatory = ['abort_url', 'reasons', 'success_url'] for field in mandatory: if not params.has(field): raise ValueError('Mandatory field "{}" is not specified'.format (field)) params.reasons = [sofort.internals.strip_reason(reason) for reason in params.reasons] return self._request(sofort.xml.multipay(params), params)
payment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount, **kwargs):\n params = self.config.clone().update({'amount': amount}).update(kwargs)\n mandatory = ['abort_url', 'reasons', 'success_url']\n...
def x(print_vars=False): env_file = os.environ.get('ENV_FILE', '.env') try: variables = open(env_file).read().splitlines() for v in variables: if '=' in v: key, value = v.split('=', 1) if key.startswith('#'): continue if key not in os.environ: if value.startswith('"') and value.endswith('"' ) or value.startswith("'") and value.endswith("'"): os.environ[key] = ast.literal_eval(value) else: os.environ[key] = value if print_vars: print(key, os.environ[key]) except IOError: pass
load_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(print_vars=False):\n env_file = os.environ.get('ENV_FILE', '.env')\n try:\n variables = open(env_file).read().splitlines()\n for v in varia...
async def main(): """ Main code (synchronous requests) """ client = Client(ES_CORE_ENDPOINT) print('\nGET g1-test/block/current/_source:') response = await client.get('g1-test/block/current/_source') print(response) print('\nGET g1-test/block/2/_source:') response = await client.get('g1-test/block/2/_source', {'_source': 'number,hash,dividend,membersCount'}) print(response) await client.close() client = Client(ES_USER_ENDPOINT) pubkey = input('\nEnter a public key to get the user profile: ') print('\nGET user/profile/{0}/_source:'.format(pubkey)) response = await client.get('user/profile/{0}/_source'.format(pubkey. strip(' \n'))) print(response) await client.close()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def main():\n \"\"\"\n Main code (synchronous requests)\n \"\"\"\n client = Client(ES_CORE_ENDPOINT)\n print('\\nGET g1-test/block/current/_sour...
def x(self, model=None): normalized_dct = self.normalize() if model: if not isinstance(model, self._model_class): raise ModelFormSecurityError('%s should be %s instance' % ( model, self._model_class.__name__)) model.populate(**normalized_dct) return model return self._model_class(**normalized_dct)
fill_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model=None):\n normalized_dct = self.normalize()\n if model:\n if not isinstance(model, self._model_class):\n raise ModelFormSecu...
def x(self, model, *fields): model_dct = model.to_dict(include=self._fields.keys()) localized_dct = self.localize(*fields, **model_dct) if model.key: localized_dct['id'] = model.key.id() return localized_dct
fill_with_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, *fields):\n model_dct = model.to_dict(include=self._fields.keys())\n localized_dct = self.localize(*fields, **model_dct)\n if model.key:\...
def x(config_schema, env=None): if env is None: env = os.environ return parser.parse_env(config_schema, env)
get_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_schema, env=None):\n if env is None:\n env = os.environ\n return parser.parse_env(config_schema, env)\n", "role": "user" }, { "...
def x(self, messages): self._seqid += 1 d = self._reqs[self._seqid] = defer.Deferred() self.send_Log(messages) return d
Log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, messages):\n self._seqid += 1\n d = self._reqs[self._seqid] = defer.Deferred()\n self.send_Log(messages)\n return d\n", "role": "user" ...
def x(input_file: str, pattern: str, max_occurrencies: int=0, loose_matching: bool=True) ->dict: assert max_occurrencies >= 0 occurrency_counter = 0.0 occurrency_matches = dict() if max_occurrencies == 0: max_occurrencies = float('inf') if loose_matching: pattern = pattern.strip() line_counter = 1 with open(input_file, 'r') as f: line = f.readline() while line and occurrency_counter < max_occurrencies: if loose_matching: line = line.strip() if line == pattern: occurrency_counter += 1.0 occurrency_matches[int(occurrency_counter)] = line_counter line = f.readline() line_counter += 1 return occurrency_matches
get_line_matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_file: str, pattern: str, max_occurrencies: int=0,\n loose_matching: bool=True) ->dict:\n assert max_occurrencies >= 0\n occurrency_counter = 0.0...
def x(input_file: str, string_to_be_inserted: str, put_at_line_number: int, output_file: str, append: bool=True, newline_character: str='\n'): assert put_at_line_number >= 1 with open(input_file, 'r') as f: lines = f.readlines() line_counter = 1 i = 0 loop = True extra_lines_done = False line_number_after_eof = len(lines) + 1 with atomic_write(output_file, overwrite=True) as f: while loop: if put_at_line_number > len(lines ) and line_counter == line_number_after_eof: line = str() else: line = lines[i] if put_at_line_number > len(lines ) and line_counter == line_number_after_eof: for additional_newlines in range(0, put_at_line_number - len(lines) - 1): f.write(newline_character) line_counter += 1 i += 1 extra_lines_done = True if line_counter == put_at_line_number: if append: line = line + string_to_be_inserted else: line = string_to_be_inserted + line f.write(line) line_counter += 1 i += 1 if i >= len(lines): loop = False if put_at_line_number > len(lines) and not extra_lines_done: loop = True
insert_string_at_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_file: str, string_to_be_inserted: str, put_at_line_number: int,\n output_file: str, append: bool=True, newline_character: str='\\n'):\n assert put_...
def x(input_file: str, delete_line_from: int, delete_line_to: int, output_file: str): assert delete_line_from >= 1 assert delete_line_to >= 1 with open(input_file, 'r') as f: lines = f.readlines() if delete_line_to - delete_line_from < 0: raise NegativeLineRangeError if delete_line_from > len(lines) or delete_line_to > len(lines): raise LineOutOfFileBoundsError line_counter = 1 with atomic_write(output_file, overwrite=True) as f: for line in lines: if (line_counter >= delete_line_from and line_counter <= delete_line_to): pass else: f.write(line) line_counter += 1
remove_line_interval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_file: str, delete_line_from: int, delete_line_to: int,\n output_file: str):\n assert delete_line_from >= 1\n assert delete_line_to >= 1\n wit...
def x(dataset_name, file_path, task=None, dataset_attributes=None, **kwargs): fname = ntpath.basename(file_path) blob_name = _blob_name(dataset_name=dataset_name, file_name=fname, task =task, dataset_attributes=dataset_attributes) print(blob_name) _blob_service().create_blob_from_path(container_name=BARN_CFG['azure'][ 'container_name'], blob_name=blob_name, file_path=file_path, **kwargs)
upload_dataset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset_name, file_path, task=None, dataset_attributes=None, **kwargs):\n fname = ntpath.basename(file_path)\n blob_name = _blob_name(dataset_name=datase...
def x(dataset_name, file_path, task=None, dataset_attributes=None, **kwargs): fname = ntpath.basename(file_path) blob_name = _blob_name(dataset_name=dataset_name, file_name=fname, task =task, dataset_attributes=dataset_attributes) try: _blob_service().get_blob_to_path(container_name=BARN_CFG['azure'][ 'container_name'], blob_name=blob_name, file_path=file_path, ** kwargs) except Exception as e: if os.path.isfile(file_path): os.remove(file_path) raise MissingDatasetError('With blob {}.'.format(blob_name)) from e
download_dataset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dataset_name, file_path, task=None, dataset_attributes=None, **kwargs):\n fname = ntpath.basename(file_path)\n blob_name = _blob_name(dataset_name=datase...
def x(name, package, level): bits = package.rsplit('.', level - 1) if len(bits) < level: raise ValueError('attempted relative import beyond top-level package') base = bits[0] return '{}.{}'.format(base, name) if name else base
resolve_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, package, level):\n bits = package.rsplit('.', level - 1)\n if len(bits) < level:\n raise ValueError('attempted relative import beyond top-le...
def x(name, package): if not name.startswith('.'): return name elif not package: raise ValueError('{!r} is not a relative name (no leading dot)'. format(name)) level = 0 for character in name: if character != '.': break level += 1 return _resolve_name(name[level:], package, level)
resolve_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, package):\n if not name.startswith('.'):\n return name\n elif not package:\n raise ValueError('{!r} is not a relative name (no leadin...
def x(name, path=None): if name not in sys.modules: return _find_spec(name, path) else: module = sys.modules[name] if module is None: return None try: spec = module.__spec__ except AttributeError: six.raise_from(ValueError('{}.__spec__ is not set'.format(name) ), None) else: if spec is None: raise ValueError('{}.__spec__ is None'.format(name)) return spec
find_spec_from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, path=None):\n if name not in sys.modules:\n return _find_spec(name, path)\n else:\n module = sys.modules[name]\n if module is ...
def x(name, package=None): fullname = resolve_name(name, package) if name.startswith('.') else name if fullname not in sys.modules: parent_name = fullname.rpartition('.')[0] if parent_name: parent = __import__(parent_name, fromlist=['__path__']) return _find_spec(fullname, parent.__path__) else: return _find_spec(fullname, None) else: module = sys.modules[fullname] if module is None: return None try: spec = module.__spec__ except AttributeError: six.raise_from(ValueError('{}.__spec__ is not set'.format(name) ), None) else: if spec is None: raise ValueError('{}.__spec__ is None'.format(name)) return spec
find_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, package=None):\n fullname = resolve_name(name, package) if name.startswith('.') else name\n if fullname not in sys.modules:\n parent_name = ...
def x(fxn): @functools.wraps(fxn) def x(*args, **kwargs): warnings.warn('The import system now takes care of this automatically.' , DeprecationWarning, stacklevel=2) module = fxn(*args, **kwargs) if getattr(module, '__package__', None) is None: module.__package__ = module.__name__ if not hasattr(module, '__path__'): module.__package__ = module.__package__.rpartition('.')[0] return module return set_package_wrapper
set_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fxn):\n\n @functools.wraps(fxn)\n def x(*args, **kwargs):\n warnings.warn('The import system now takes care of this automatically.'\n ,...
def x(fxn): @functools.wraps(fxn) def x(self, *args, **kwargs): warnings.warn('The import system now takes care of this automatically.' , DeprecationWarning, stacklevel=2) module = fxn(self, *args, **kwargs) if getattr(module, '__loader__', None) is None: module.__loader__ = self return module return set_loader_wrapper
set_loader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fxn):\n\n @functools.wraps(fxn)\n def x(self, *args, **kwargs):\n warnings.warn('The import system now takes care of this automatically.'\n ...
def x(fxn): warnings.warn('The import system now takes care of this automatically.', DeprecationWarning, stacklevel=2) @functools.wraps(fxn) def x(self, fullname, *args, **kwargs): with _module_to_load(fullname) as module: module.__loader__ = self try: is_package = self.is_package(fullname) except (ImportError, AttributeError): pass else: if is_package: module.__package__ = fullname else: module.__package__ = fullname.rpartition('.')[0] return fxn(self, module, *args, **kwargs) return module_for_loader_wrapper
module_for_loader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fxn):\n warnings.warn('The import system now takes care of this automatically.',\n DeprecationWarning, stacklevel=2)\n\n @functools.wraps(fxn)\n ...
def x(fields, sort_by_date=False, sort_by_open_projects=False): if not sort_by_date and not sort_by_open_projects: for _, name, works in fields: print(name) for work in works: print('- ' + str(work)) else: works = all_works if sort_by_date: works.sort(key=lambda x: (not x.is_open, x.due_date), reverse=True) for work in works: if sort_by_open_projects: if not work.is_open: continue field_name = [name for id, name, _ in fields if id == work.field][0 ] print(field_name) print('- ' + str(work))
print_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fields, sort_by_date=False, sort_by_open_projects=False):\n if not sort_by_date and not sort_by_open_projects:\n for _, name, works in fields:\n ...
def x(baseurl, work_id=None, filename=None, command='make'): while 1: if not work_id: try: work_id = input('id? ') except KeyboardInterrupt: exit(0) work = get_work(work_id) if not work: print("id '{0}' not found".format(work_id)) work_id = None continue if not work.is_open: print('"It\'s too late for {0} baby..." (Arnold Schwarzenegger)' .format(work.title)) work_id = None continue if not filename: try: filename = input('filename? ') except KeyboardInterrupt: exit(0) while 1: try: if command: if not archive_compile(filename, command): print('Compilation failed') try: send = input('Send anyway [y/N] ') except KeyboardInterrupt: exit(0) if send != 'y': exit(1) return work.upload(baseurl, filename) print('Uplodaed, but should verify it on the website') return except FileNotFoundError: print('{0} not found in current dir'.format(filename)) filename = None
send_work
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(baseurl, work_id=None, filename=None, command='make'):\n while 1:\n if not work_id:\n try:\n work_id = input('id? ')\n ...
def x(): global PathFinder, FileFinder, ff_path_hook path_hook_index = len(sys.path_hooks) sys.path_hooks.append(ff_path_hook) sys.path_importer_cache.clear() pathfinder_index = len(sys.meta_path) sys.meta_path.append(PathFinder) return path_hook_index, pathfinder_index
activate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global PathFinder, FileFinder, ff_path_hook\n path_hook_index = len(sys.path_hooks)\n sys.path_hooks.append(ff_path_hook)\n sys.path_importer_...
def x(self): parse_links = self.parse_links or self.parse_markdown_links message = {'annotations': [], 'entities': {'parse_links': parse_links, 'parse_markdown_links': self.parse_markdown_links}} if self.photo: photo, photo_meta = _upload_file(self.api, self.photo) message['annotations'].append({'type': 'net.app.core.oembed', 'value': {'+net.app.core.file': {'file_id': photo.id, 'file_token': photo.file_token, 'format': 'oembed'}}}) if self.attachment: attachment, attachment_meta = _upload_file(self.api, self.attachment) message['annotations'].append({'type': 'net.app.core.attachments', 'value': {'+net.app.core.file_list': [{'file_id': attachment.id, 'file_token': attachment.file_token, 'format': 'metadata'}]}}) if self.text: message['text'] = self.text else: message['machine_only'] = True if self.headline: message['annotations'].append({'type': 'net.app.core.broadcast.message.metadata', 'value': {'subject': self.headline}}) if self.read_more_link: message['annotations'].append({'type': 'net.app.core.crosspost', 'value': {'canonical_url': self.read_more_link}}) return self.api.create_message(self.channel_id, data=message)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n parse_links = self.parse_links or self.parse_markdown_links\n message = {'annotations': [], 'entities': {'parse_links': parse_links,\n 'p...
def x(self, address, port=default_port, password=None, speed=None, valid_times=None, invalid_times=None): for t in [valid_times, invalid_times]: if t: if not (self._is_list_of_tuples(t) or self._is_list_of_tuples(t, True)): raise ValueError( 'valid_times and invalid_times must either be lists of strings or lists' ) self.servers.append({'address': address, 'port': port, 'password': password, 'speed': speed, 'valid_times': valid_times, 'invalid_times': invalid_times})
add_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, address, port=default_port, password=None, speed=None,\n valid_times=None, invalid_times=None):\n for t in [valid_times, invalid_times]:\n i...
def x(filename, command='make'): if not tarfile.is_tarfile(filename): print('Cannot extract archive') return False if command == '': return True with tempfile.TemporaryDirectory(suffix='prof') as tmpdir: with tarfile.open(filename) as tararchive: tararchive.extractall(tmpdir) cwd = os.getcwd() try: os.chdir(tmpdir) print('Running {} in {} for file {}'.format(command, tmpdir, filename)) make = os.system(command) if make == 0: print('Successfully compiled') return True finally: os.chdir(cwd) return False
archive_compile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, command='make'):\n if not tarfile.is_tarfile(filename):\n print('Cannot extract archive')\n return False\n if command == '':\n ...
def x(lat_lng1, lat_lng2, native=True): if native: return _native.haversine(lat_lng1, lat_lng2) """Cf https://github.com/mapado/haversine""" lat1, lng1 = lat_lng1 lat2, lng2 = lat_lng2 lat1, lng1, lat2, lng2 = map(math.radians, (lat1, lng1, lat2, lng2)) lat = lat2 - lat1 lng = lng2 - lng1 d = math.sin(lat * 0.5) ** 2 + math.cos(lat1) * math.cos(lat2) * math.sin( lng * 0.5) ** 2 return 2 * _AVG_EARTH_RADIUS * math.asin(math.sqrt(d))
haversine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lat_lng1, lat_lng2, native=True):\n if native:\n return _native.haversine(lat_lng1, lat_lng2)\n \"\"\"Cf https://github.com/mapado/haversine\"\"\"...
def x(arguments: List[str], execution_directory: str=None, execution_environment: Dict=None) ->str: process = subprocess.Popen(arguments, stdout=subprocess.PIPE, stdin= subprocess.PIPE, stderr=subprocess.PIPE, cwd=execution_directory, env=execution_environment) out, error = process.communicate() stdout = out.decode(_DATA_ENCODING).rstrip() if process.returncode == _SUCCESS_RETURN_CODE: return stdout else: raise RunException(stdout, error.decode(_DATA_ENCODING).rstrip(), arguments, execution_directory)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arguments: List[str], execution_directory: str=None,\n execution_environment: Dict=None) ->str:\n process = subprocess.Popen(arguments, stdout=subprocess...
def x(self): try: return urlopen(str(self.url)) except HTTPError as error: try: parsed = self._parsejson(error) exc = RequestError(parsed['message']) exc.__cause__ = None raise exc except ValueError: exc = StatbankError() exc.__cause__ = None raise exc
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n return urlopen(str(self.url))\n except HTTPError as error:\n try:\n parsed = self._parsejson(error)\n ...
def x(self): lines = self._parsecsv(self.raw) keys = next(lines) for line in lines: yield dict(zip(keys, line))
csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lines = self._parsecsv(self.raw)\n keys = next(lines)\n for line in lines:\n yield dict(zip(keys, line))\n", "role": "user" }, ...
def x(x): for line in x: yield line.decode('utf-8').strip().split(config.DELIMITER)
parsecsv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n for line in x:\n yield line.decode('utf-8').strip().split(config.DELIMITER)\n", "role": "user" }, { "content": "parsecsv", "rol...
def x(cls): class ProxyException(cls, BaseException): __pep3134__ = True @property def x(self): if self.__fixed_traceback__: return self.__fixed_traceback__ current_exc, current_tb = sys.exc_info()[1:] if current_exc is self: return current_tb def x(self, instance=None): self.__original_exception__ = instance self.__fixed_traceback__ = None def x(self, item): return getattr(self.__original_exception__, item) def x(self): return repr(self.__original_exception__) def x(self): return str(self.__original_exception__) def x(self, traceback): instance = copy.copy(self) instance.__fixed_traceback__ = traceback return instance ProxyException.__name__ = cls.__name__ return ProxyException
construct_exc_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n\n\n class ProxyException(cls, BaseException):\n __pep3134__ = True\n\n @property\n def x(self):\n if self.__fixed_tr...
def x(func): @functools.wraps(func) def x(type_, value=None, traceback=None): if value is not None and isinstance(type_, Exception): raise TypeError('instance exception may not have a separate value') if value is None: if isinstance(type_, Exception): error = type_ else: error = type_() else: error = type_(value) func(error, value, traceback) return decorator
prepare_raise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @functools.wraps(func)\n def x(type_, value=None, traceback=None):\n if value is not None and isinstance(type_, Exception):\n ...
def x(cls, url, **kwargs): username = kwargs.get('username') password = kwargs.get('password') headers = kwargs.get('headers', {}) auth = None path = kwargs.get('path', '/tmp/app.zip') dest = kwargs.get('dest', '/app') if username and password: auth = base64.b64encode(b'%s:%s' % (username, password)) if auth: headers['Authorization'] = 'Basic %s' % auth.decode('utf8') r = request.get(url, headers=headers, stream=True) if r.status_code != 200: err_msg = 'Could not download resource from url (%s): %s' err_args = r.status_code, url raise errors.DownloadError(err_msg % err_args) with open('/tmp/app.zip', 'wb+') as f: chunks = r.iter_content(chunk_size=1024) [f.write(chunk) for chunk in chunks if chunk] return cls.from_zip(path, dest)
from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, url, **kwargs):\n username = kwargs.get('username')\n password = kwargs.get('password')\n headers = kwargs.get('headers', {})\n auth = None\n ...
def x(cls, path): if os.path.exists(path) is False: raise errors.InvalidPathError(path) return cls(path=path)
from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path):\n if os.path.exists(path) is False:\n raise errors.InvalidPathError(path)\n return cls(path=path)\n", "role": "user" }, { ...
def x(cls, src='/tmp/app.zip', dest='/app'): try: zf = zipfile.ZipFile(src, 'r') except FileNotFoundError: raise errors.InvalidPathError(src) except zipfile.BadZipFile: raise errors.InvalidZipFileError(src) [zf.extract(file, dest) for file in zf.namelist()] zf.close() return cls.from_path(dest)
from_zip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, src='/tmp/app.zip', dest='/app'):\n try:\n zf = zipfile.ZipFile(src, 'r')\n except FileNotFoundError:\n raise errors.InvalidPathError(...
def x(self, tab_width=2, ident_char='-'): startpath = self.path output = [] for root, dirs, files in os.walk(startpath): level = root.replace(startpath, '').count(os.sep) indent = ident_char * tab_width * level if level == 0: output.append('{}{}/'.format(indent, os.path.basename(root))) else: output.append('|{}{}/'.format(indent, os.path.basename(root))) subindent = ident_char * tab_width * (level + 1) [output.append('|{}{}'.format(subindent, f)) for f in files] return '\n'.join(output)
inspect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tab_width=2, ident_char='-'):\n startpath = self.path\n output = []\n for root, dirs, files in os.walk(startpath):\n level = root.replace...
def x(self, ctx='all'): path = '%s/%s.log' % (self.path, ctx) if os.path.exists(path) is True: with open(path, 'r') as f: print(f.read()) return validate_path = '%s/validate.log' % self.path build_path = '%s/build.log' % self.path out = [] with open(validate_path) as validate_log, open(build_path) as build_log: for line in validate_log.readlines(): out.append(line) for line in build_log.readlines(): out.append(line) print(''.join(out))
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx='all'):\n path = '%s/%s.log' % (self.path, ctx)\n if os.path.exists(path) is True:\n with open(path, 'r') as f:\n print(f.rea...
def x(arr, x): arr = np.array(arr) dxf = (x[2] - x[0]) / 2 dxb = (x[-1] - x[-3]) / 2 dx = (x[2:] - x[:-2]) / 2 first = (-3 * arr[0] + 4 * arr[1] - arr[2]) / (2 * dxf) last = (3 * arr[-1] - 4 * arr[-2] + arr[-3]) / (2 * dxb) interior = (arr[2:] - arr[:-2]) / (2 * dx) darr = np.concatenate(([first], interior, [last])) return darr
second_order_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr, x):\n arr = np.array(arr)\n dxf = (x[2] - x[0]) / 2\n dxb = (x[-1] - x[-3]) / 2\n dx = (x[2:] - x[:-2]) / 2\n first = (-3 * arr[0] + 4 * ar...
def x(self) ->OrderedDict: return OrderedDict(**{k: getattr(self, k, None) for k in super(). __getattribute__('_columns')})
freeze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->OrderedDict:\n return OrderedDict(**{k: getattr(self, k, None) for k in super().\n __getattribute__('_columns')})\n", "role": "user" },...
def x(self, m: EvalParam) ->object: if inspect.ismethod(m) or inspect.isroutine(m): return m() elif inspect.isfunction(m): return m(self) if len(inspect.signature(m)) > 0 else m() else: return m
eval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, m: EvalParam) ->object:\n if inspect.ismethod(m) or inspect.isroutine(m):\n return m()\n elif inspect.isfunction(m):\n return m(self)...
def x(response_body): data = json.loads(response_body) uwpassword = UwPassword(uwnetid=data['uwNetID'], kerb_status=data[ 'kerbStatus'], interval=None, last_change=None, last_change_med= None, expires_med=None, interval_med=None, minimum_length=int(data[ 'minimumLength']), time_stamp=parse(data['timeStamp'])) if 'lastChange' in data: uwpassword.last_change = parse(data['lastChange']) if 'interval' in data: uwpassword.interval = timeparse(data['interval']) if 'lastChangeMed' in data: uwpassword.last_change_med = parse(data['lastChangeMed']) if 'expiresMed' in data: uwpassword.expires_med = parse(data['expiresMed']) if 'intervalMed' in data: uwpassword.interval_med = timeparse(data['intervalMed']) if 'netidStatus' in data: netid_status = [] for status in data['netidStatus']: netid_status.append(status) uwpassword.netid_status = netid_status return uwpassword
process_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response_body):\n data = json.loads(response_body)\n uwpassword = UwPassword(uwnetid=data['uwNetID'], kerb_status=data[\n 'kerbStatus'], interval=...