source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(cls, url, uid, **kwargs): if uid: url = '{}/{}'.format(url, uid) else: url = url return cls._parse_url_and_validate(url)
get_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, url, uid, **kwargs):\n if uid:\n url = '{}/{}'.format(url, uid)\n else:\n url = url\n return cls._parse_url_and_validate(url)\n", "role": "user" }, { "content": "get_url", "role": "assistant" } ]
def x(resource, method_type): return '{}_{}'.format(method_type.lower(), resource.Meta.name.lower())
get_method_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource, method_type):\n return '{}_{}'.format(method_type.lower(), resource.Meta.name.lower())\n", "role": "user" }, { "content": "get_method_name", "role": "assistant" } ]
def x(cls, url): parsed_url = urlparse(url) if parsed_url.scheme and parsed_url.netloc: final_url = parsed_url.geturl() else: raise BadURLException return final_url
parse_url_and_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, url):\n parsed_url = urlparse(url)\n if parsed_url.scheme and parsed_url.netloc:\n final_url = parsed_url.geturl()\n else:\n raise BadURLException\n return final_url\n", "role": "user" }, { "content": "parse_url_and_validate", "role": "assistant" } ]
def x(self, resource, full_resource_url): method_name = self.get_method_name(resource, 'get') def x(self, **kwargs): return self._call_api_single_related_resource(resource, full_resource_url, method_name, **kwargs) def x(self, **kwargs): return self._call_api_many_related_resources(resource, full_resource_url, method_name, **kwargs) if isinstance(full_resource_url, list): setattr(self, method_name, types.MethodType(get_list, self)) else: setattr(self, method_name, types.MethodType(get, self))
set_related_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource, full_resource_url):\n method_name = self.get_method_name(resource, 'get')\n\n def x(self, **kwargs):\n return self._call_api_single_related_resource(resource,\n full_resource_url, method_name, **kwargs)\n\n def x(self, **kwargs):\n return self._call_api_many_related_resources(resource,\n full_resource_url, method_name, **kwargs)\n if isinstance(full_resource_url, list):\n setattr(self, method_name, types.MethodType(get_list, self))\n else:\n setattr(self, method_name, types.MethodType(get, self))\n", "role": "user" }, { "content": "set_related_method", "role": "assistant" } ]
def x(self, url_values): valid_values = {} for resource in self.Meta.related_resources: for k, v in url_values.items(): resource_url = resource.get_resource_url(resource, resource. Meta.base_url) if isinstance(v, list): if all([(resource_url in i) for i in v]): self.set_related_method(resource, v) valid_values[k] = v elif resource_url in v: self.set_related_method(resource, v) valid_values[k] = v return valid_values
match_urls_to_resources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url_values):\n valid_values = {}\n for resource in self.Meta.related_resources:\n for k, v in url_values.items():\n resource_url = resource.get_resource_url(resource, resource.\n Meta.base_url)\n if isinstance(v, list):\n if all([(resource_url in i) for i in v]):\n self.set_related_method(resource, v)\n valid_values[k] = v\n elif resource_url in v:\n self.set_related_method(resource, v)\n valid_values[k] = v\n return valid_values\n", "role": "user" }, { "content": "match_urls_to_resources", "role": "assistant" } ]
def x(self, **kwargs): if not self.Meta.related_resources: super(HypermediaResource, self).set_attributes(**kwargs) return url_values = {} for k, v in kwargs.items(): try: if isinstance(v, list): [self._parse_url_and_validate(i) for i in v] else: self._parse_url_and_validate(v) url_values[k] = v except BadURLException: pass assigned_values = self.match_urls_to_resources(url_values) for k in assigned_values.keys(): kwargs.pop(k, None) for field, value in kwargs.items(): if field in self.Meta.attributes: setattr(self, field, value)
set_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n if not self.Meta.related_resources:\n super(HypermediaResource, self).set_attributes(**kwargs)\n return\n url_values = {}\n for k, v in kwargs.items():\n try:\n if isinstance(v, list):\n [self._parse_url_and_validate(i) for i in v]\n else:\n self._parse_url_and_validate(v)\n url_values[k] = v\n except BadURLException:\n pass\n assigned_values = self.match_urls_to_resources(url_values)\n for k in assigned_values.keys():\n kwargs.pop(k, None)\n for field, value in kwargs.items():\n if field in self.Meta.attributes:\n setattr(self, field, value)\n", "role": "user" }, { "content": "set_attributes", "role": "assistant" } ]
def x(self, **kwargs): for field, value in kwargs.items(): if field in self.Meta.attributes: setattr(self, field, value)
set_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n for field, value in kwargs.items():\n if field in self.Meta.attributes:\n setattr(self, field, value)\n", "role": "user" }, { "content": "set_attributes", "role": "assistant" } ]
def x(db, anime): aid = anime.aid values = {'aid': aid, 'title': anime.title, 'type': anime.type, 'episodecount': anime.episodecount} if anime.startdate is not None: values['startdate'] = datets.to_ts(anime.startdate) if anime.enddate is not None: values['enddate'] = datets.to_ts(anime.enddate) with db: upsert(db, 'anime', ['aid'], values) our_anime = lookup(db, anime.aid, episode_fields=ALL) our_episodes = our_anime.episodes for episode in anime.episodes: add_episode(db, aid, episode) our_episodes = [ep for ep in our_episodes if not (ep.type == episode.type and ep.number == episode.number)] for episode in our_episodes: delete_episode(db, aid, episode)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, anime):\n aid = anime.aid\n values = {'aid': aid, 'title': anime.title, 'type': anime.type,\n 'episodecount': anime.episodecount}\n if anime.startdate is not None:\n values['startdate'] = datets.to_ts(anime.startdate)\n if anime.enddate is not None:\n values['enddate'] = datets.to_ts(anime.enddate)\n with db:\n upsert(db, 'anime', ['aid'], values)\n our_anime = lookup(db, anime.aid, episode_fields=ALL)\n our_episodes = our_anime.episodes\n for episode in anime.episodes:\n add_episode(db, aid, episode)\n our_episodes = [ep for ep in our_episodes if not (ep.type ==\n episode.type and ep.number == episode.number)]\n for episode in our_episodes:\n delete_episode(db, aid, episode)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(db, aid, episode): values = {'aid': aid, 'type': episode.type, 'number': episode.number, 'title': episode.title, 'length': episode.length} upsert(db, 'episode', ['aid', 'type', 'number'], values)
add_episode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, aid, episode):\n values = {'aid': aid, 'type': episode.type, 'number': episode.number,\n 'title': episode.title, 'length': episode.length}\n upsert(db, 'episode', ['aid', 'type', 'number'], values)\n", "role": "user" }, { "content": "add_episode", "role": "assistant" } ]
def x(db, aid, episode): db.cursor().execute( 'DELETE FROM episode WHERE aid=:aid AND type=:type AND number=:number', {'aid': aid, 'type': episode.type, 'number': episode.number})
delete_episode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, aid, episode):\n db.cursor().execute(\n 'DELETE FROM episode WHERE aid=:aid AND type=:type AND number=:number',\n {'aid': aid, 'type': episode.type, 'number': episode.number})\n", "role": "user" }, { "content": "delete_episode", "role": "assistant" } ]
def x(db, aid, ep_type, number): db.cursor().execute( """UPDATE episode SET user_watched=:watched WHERE aid=:aid AND type=:type AND number=:number""" , {'aid': aid, 'type': ep_type, 'number': number, 'watched': 1})
set_watched
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, aid, ep_type, number):\n db.cursor().execute(\n \"\"\"UPDATE episode SET user_watched=:watched\n WHERE aid=:aid AND type=:type AND number=:number\"\"\"\n , {'aid': aid, 'type': ep_type, 'number': number, 'watched': 1})\n", "role": "user" }, { "content": "set_watched", "role": "assistant" } ]
def x(db, aid): anime = lookup(db, aid) if anime.complete: return episode = anime.watched_episodes + 1 with db: set_watched(db, aid, get_eptype(db, 'regular').id, episode) set_status(db, aid, anime.enddate and episode >= anime.episodecount, episode)
bump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, aid):\n anime = lookup(db, aid)\n if anime.complete:\n return\n episode = anime.watched_episodes + 1\n with db:\n set_watched(db, aid, get_eptype(db, 'regular').id, episode)\n set_status(db, aid, anime.enddate and episode >= anime.episodecount,\n episode)\n", "role": "user" }, { "content": "bump", "role": "assistant" } ]
def x(db, aid, episode): params = {'aid': aid, 'type': get_eptype(db, 'regular').id, 'watched': 1, 'number': episode} with db: cur = db.cursor() cur.execute( """UPDATE episode SET user_watched=:watched WHERE aid=:aid AND type=:type AND number<=:number""" , params) params['watched'] = 0 cur.execute( """UPDATE episode SET user_watched=:watched WHERE aid=:aid AND type=:type AND number>:number""" , params) cache_status(db, aid, force=True)
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, aid, episode):\n params = {'aid': aid, 'type': get_eptype(db, 'regular').id, 'watched': \n 1, 'number': episode}\n with db:\n cur = db.cursor()\n cur.execute(\n \"\"\"UPDATE episode SET user_watched=:watched\n WHERE aid=:aid AND type=:type AND number<=:number\"\"\"\n , params)\n params['watched'] = 0\n cur.execute(\n \"\"\"UPDATE episode SET user_watched=:watched\n WHERE aid=:aid AND type=:type AND number>:number\"\"\"\n , params)\n cache_status(db, aid, force=True)\n", "role": "user" }, { "content": "reset", "role": "assistant" } ]
def x(tokens_stream, out=None, **kwargs): idfs = parallel(count_idf, tokens_stream, n_jobs=-1) N = len(idfs) idf = merge(idfs) for k, v in idf.items(): idf[k] = math.log(N / v) idf['_n_docs'] = N if out is not None: with open(out, 'w') as f: json.dump(idf, f) return idf
train_idf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tokens_stream, out=None, **kwargs):\n idfs = parallel(count_idf, tokens_stream, n_jobs=-1)\n N = len(idfs)\n idf = merge(idfs)\n for k, v in idf.items():\n idf[k] = math.log(N / v)\n idf['_n_docs'] = N\n if out is not None:\n with open(out, 'w') as f:\n json.dump(idf, f)\n return idf\n", "role": "user" }, { "content": "train_idf", "role": "assistant" } ]
def x(self): account_uri = self.uri.split('/api/v1')[0] + '/account' req = self.request(account_uri) account_info = req.get() user_data = HTMLParser(account_info.content) return user_data
user_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n account_uri = self.uri.split('/api/v1')[0] + '/account'\n req = self.request(account_uri)\n account_info = req.get()\n user_data = HTMLParser(account_info.content)\n return user_data\n", "role": "user" }, { "content": "user_info", "role": "assistant" } ]
def x(self): req = self.request(self.uri + '/providers', api_version=2) providers = req.get().json() supported_providers = providers['supported_providers'] return supported_providers
supported_providers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n req = self.request(self.uri + '/providers', api_version=2)\n providers = req.get().json()\n supported_providers = providers['supported_providers']\n return supported_providers\n", "role": "user" }, { "content": "supported_providers", "role": "assistant" } ]
def x(self): req = self.request(self.uri + '/clouds') clouds = req.get().json() if clouds: for cloud in clouds: self._clouds[cloud['id']] = Cloud(cloud, self) else: self._clouds = {}
list_clouds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n req = self.request(self.uri + '/clouds')\n clouds = req.get().json()\n if clouds:\n for cloud in clouds:\n self._clouds[cloud['id']] = Cloud(cloud, self)\n else:\n self._clouds = {}\n", "role": "user" }, { "content": "list_clouds", "role": "assistant" } ]
def x(self, id=None, name=None, provider=None, search=None): if self._clouds is None: self._clouds = {} self._list_clouds() if id: return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if id == self._clouds[cloud_id].id] elif name: return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if name == self._clouds[cloud_id].title] elif provider: return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if provider == self._clouds[cloud_id].provider] elif search: return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if search in self._clouds[cloud_id].title or search in self. _clouds[cloud_id].id or search in self._clouds[cloud_id].provider] else: return [self._clouds[cloud_id] for cloud_id in self._clouds.keys()]
clouds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id=None, name=None, provider=None, search=None):\n if self._clouds is None:\n self._clouds = {}\n self._list_clouds()\n if id:\n return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if\n id == self._clouds[cloud_id].id]\n elif name:\n return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if\n name == self._clouds[cloud_id].title]\n elif provider:\n return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if\n provider == self._clouds[cloud_id].provider]\n elif search:\n return [self._clouds[cloud_id] for cloud_id in self._clouds.keys() if\n search in self._clouds[cloud_id].title or search in self.\n _clouds[cloud_id].id or search in self._clouds[cloud_id].provider]\n else:\n return [self._clouds[cloud_id] for cloud_id in self._clouds.keys()]\n", "role": "user" }, { "content": "clouds", "role": "assistant" } ]
def x(self): req = self.request(self.uri + '/keys') keys = req.get().json() if keys: self._keys = {} for key in keys: self._keys[key['id']] = Key(key, self) else: self._keys = {}
list_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n req = self.request(self.uri + '/keys')\n keys = req.get().json()\n if keys:\n self._keys = {}\n for key in keys:\n self._keys[key['id']] = Key(key, self)\n else:\n self._keys = {}\n", "role": "user" }, { "content": "list_keys", "role": "assistant" } ]
def x(self, id=None, search=None): if self._keys is None: self._keys = {} self._list_keys() if id: return [self._keys[key_id] for key_id in self._keys.keys() if id == self._keys[key_id].id] elif search: return [self._keys[key_id] for key_id in self._keys.keys() if search in self._keys[key_id].id or search in self._keys[key_id] .name] else: return [self._keys[key_id] for key_id in self._keys.keys()]
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id=None, search=None):\n if self._keys is None:\n self._keys = {}\n self._list_keys()\n if id:\n return [self._keys[key_id] for key_id in self._keys.keys() if id ==\n self._keys[key_id].id]\n elif search:\n return [self._keys[key_id] for key_id in self._keys.keys() if \n search in self._keys[key_id].id or search in self._keys[key_id]\n .name]\n else:\n return [self._keys[key_id] for key_id in self._keys.keys()]\n", "role": "user" }, { "content": "keys", "role": "assistant" } ]
def x(self): req = self.request(self.uri + '/keys') private_key = req.post().json() return private_key['priv']
generate_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n req = self.request(self.uri + '/keys')\n private_key = req.post().json()\n return private_key['priv']\n", "role": "user" }, { "content": "generate_key", "role": "assistant" } ]
def x(self, key_name, private): payload = {'name': key_name, 'priv': private} data = json.dumps(payload) req = self.request(self.uri + '/keys', data=data) response = req.put().json() self.update_keys() return response
add_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key_name, private):\n payload = {'name': key_name, 'priv': private}\n data = json.dumps(payload)\n req = self.request(self.uri + '/keys', data=data)\n response = req.put().json()\n self.update_keys()\n return response\n", "role": "user" }, { "content": "add_key", "role": "assistant" } ]
def x(state, args): args = parser.parse_args(args[1:]) row_id = query.files.add_priority_rule(state.db, args.regexp, args.priority ) del state.file_picker print('Added rule {}'.format(row_id))
command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(state, args):\n args = parser.parse_args(args[1:])\n row_id = query.files.add_priority_rule(state.db, args.regexp, args.priority\n )\n del state.file_picker\n print('Added rule {}'.format(row_id))\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(aid: int) ->'Anime': anime_info = alib.request_anime(_CLIENT, aid) return Anime._make(anime_info)
request_anime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aid: int) ->'Anime':\n anime_info = alib.request_anime(_CLIENT, aid)\n return Anime._make(anime_info)\n", "role": "user" }, { "content": "request_anime", "role": "assistant" } ]
def x(self) ->int: match = self._NUMBER_SUFFIX.search(self.epno) return int(match.group(1))
number
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->int:\n match = self._NUMBER_SUFFIX.search(self.epno)\n return int(match.group(1))\n", "role": "user" }, { "content": "number", "role": "assistant" } ]
def x(self) ->str: for title in self.titles: if title.lang == 'ja': return title.title return self.titles[0].title
title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n for title in self.titles:\n if title.lang == 'ja':\n return title.title\n return self.titles[0].title\n", "role": "user" }, { "content": "title", "role": "assistant" } ]
def x(self, query: 're.Pattern') ->'Iterable[_WorkTitles]': titles: 'Titles' for titles in self._titles_list: title: 'AnimeTitle' for title in titles.titles: if query.search(title.title): yield WorkTitles(aid=titles.aid, main_title=_get_main_title (titles.titles), titles=[t.title for t in titles.titles]) continue
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query: 're.Pattern') ->'Iterable[_WorkTitles]':\n titles: 'Titles'\n for titles in self._titles_list:\n title: 'AnimeTitle'\n for title in titles.titles:\n if query.search(title.title):\n yield WorkTitles(aid=titles.aid, main_title=_get_main_title\n (titles.titles), titles=[t.title for t in titles.titles])\n continue\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(): return [Package(pkg_obj=pkg) for pkg in sorted(pkg_resources. working_set, key=lambda x: str(x).lower())]
get_packages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n return [Package(pkg_obj=pkg) for pkg in sorted(pkg_resources.\n working_set, key=lambda x: str(x).lower())]\n", "role": "user" }, { "content": "get_packages", "role": "assistant" } ]
def x(config_path): whitelist_licenses = [] try: print('config path', config_path) with open(config_path) as config: whitelist_licenses = [line.rstrip() for line in config] except IOError: print('Warning: No {} file was found.'.format( LICENSE_CHECKER_CONFIG_NAME)) return whitelist_licenses
get_whitelist_licenses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_path):\n whitelist_licenses = []\n try:\n print('config path', config_path)\n with open(config_path) as config:\n whitelist_licenses = [line.rstrip() for line in config]\n except IOError:\n print('Warning: No {} file was found.'.format(\n LICENSE_CHECKER_CONFIG_NAME))\n return whitelist_licenses\n", "role": "user" }, { "content": "get_whitelist_licenses", "role": "assistant" } ]
def x(config_path): whitelist_licenses = _get_whitelist_licenses(config_path) table = PrintTable(ROW_HEADERS) warnings = [] for pkg in _get_packages(): allowed = pkg.license in whitelist_licenses table.add_row((pkg.name, pkg.version, pkg.license, str(allowed))) if not allowed: warnings.append(pkg) print(table) print('{} RESTRICTED LICENSES DETECTED'.format(len(warnings)))
run_license_checker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_path):\n whitelist_licenses = _get_whitelist_licenses(config_path)\n table = PrintTable(ROW_HEADERS)\n warnings = []\n for pkg in _get_packages():\n allowed = pkg.license in whitelist_licenses\n table.add_row((pkg.name, pkg.version, pkg.license, str(allowed)))\n if not allowed:\n warnings.append(pkg)\n print(table)\n print('{} RESTRICTED LICENSES DETECTED'.format(len(warnings)))\n", "role": "user" }, { "content": "run_license_checker", "role": "assistant" } ]
def x(self, *args): for arg in args: self._includefields.append(arg) return self
include_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n for arg in args:\n self._includefields.append(arg)\n return self\n", "role": "user" }, { "content": "include_fields", "role": "assistant" } ]
def x(self, *components): for component in components: self._component.append(component) return self
component
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *components):\n for component in components:\n self._component.append(component)\n return self\n", "role": "user" }, { "content": "component", "role": "assistant" } ]
def x(self, *products): for product in products: self._product.append(product) return self
product
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *products):\n for product in products:\n self._product.append(product)\n return self\n", "role": "user" }, { "content": "product", "role": "assistant" } ]
def x(self, start, end): if start: self._time_frame['chfieldfrom'] = start if end: self._time_frame['chfieldto'] = end return self
timeframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, end):\n if start:\n self._time_frame['chfieldfrom'] = start\n if end:\n self._time_frame['chfieldto'] = end\n return self\n", "role": "user" }, { "content": "timeframe", "role": "assistant" } ]
def x(self, fields, value=None): if not isinstance(fields, list): raise Exception('fields should be a list') self._change_history['fields'] = fields if value: self._change_history['value'] = value return self
change_history_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fields, value=None):\n if not isinstance(fields, list):\n raise Exception('fields should be a list')\n self._change_history['fields'] = fields\n if value:\n self._change_history['value'] = value\n return self\n", "role": "user" }, { "content": "change_history_fields", "role": "assistant" } ]
def x(self): params = {} params.update(self._time_frame.items()) if self._includefields: params['include_fields'] = list(self._includefields) if self._bug_numbers: bugs = [] for bug in self._bug_numbers: result = self._bugsy.request('bug/%s' % bug, params=params) bugs.append(Bug(self._bugsy, **result['bugs'][0])) return bugs else: if self._component: params['component'] = list(self._component) if self._product: params['product'] = list(self._product) if self._keywords: params['keywords'] = list(self._keywords) if self._assigned: params['assigned_to'] = list(self._assigned) if self._summaries: params['short_desc_type'] = 'allwordssubstr' params['short_desc'] = list(self._summaries) if self._whiteboard: params['short_desc_type'] = 'allwordssubstr' params['whiteboard'] = list(self._whiteboard) if self._change_history['fields']: params['chfield'] = self._change_history['fields'] if self._change_history.get('value', None): params['chfieldvalue'] = self._change_history['value'] try: results = self._bugsy.request('bug', params=params) except Exception as e: raise SearchException(e.msg, e.code) return [Bug(self._bugsy, **bug) for bug in results['bugs']]
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = {}\n params.update(self._time_frame.items())\n if self._includefields:\n params['include_fields'] = list(self._includefields)\n if self._bug_numbers:\n bugs = []\n for bug in self._bug_numbers:\n result = self._bugsy.request('bug/%s' % bug, params=params)\n bugs.append(Bug(self._bugsy, **result['bugs'][0]))\n return bugs\n else:\n if self._component:\n params['component'] = list(self._component)\n if self._product:\n params['product'] = list(self._product)\n if self._keywords:\n params['keywords'] = list(self._keywords)\n if self._assigned:\n params['assigned_to'] = list(self._assigned)\n if self._summaries:\n params['short_desc_type'] = 'allwordssubstr'\n params['short_desc'] = list(self._summaries)\n if self._whiteboard:\n params['short_desc_type'] = 'allwordssubstr'\n params['whiteboard'] = list(self._whiteboard)\n if self._change_history['fields']:\n params['chfield'] = self._change_history['fields']\n if self._change_history.get('value', None):\n params['chfieldvalue'] = self._change_history['value']\n try:\n results = self._bugsy.request('bug', params=params)\n except Exception as e:\n raise SearchException(e.msg, e.code)\n return [Bug(self._bugsy, **bug) for bug in results['bugs']]\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(string: str) ->datetime.date: return datetime.datetime.strptime(string, '%Y-%m-%d').date()
parse_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string: str) ->datetime.date:\n return datetime.datetime.strptime(string, '%Y-%m-%d').date()\n", "role": "user" }, { "content": "parse_date", "role": "assistant" } ]
def x(force='no'): assert 'local_wp_dir' in env, 'Missing local_wp_dir in env' if force != 'yes': message = ( 'This will replace your local database with your remote, are you sure [y/n]' ) answer = prompt(message, 'y') if answer != 'y': logger.info('Sync stopped') return init_tasks() remote_file = 'sync_%s.sql' % int(time.time() * 1000) remote_path = '/tmp/%s' % remote_file with env.cd(paths.get_current_path()): env.run('wp db export %s' % remote_path) local_wp_dir = env.local_wp_dir local_path = '/tmp/%s' % remote_file get(remote_path, local_path) with lcd(local_wp_dir): elocal('wp db import %s' % local_path) env.run('rm %s' % remote_path) elocal('rm %s' % local_path)
sync_remote_to_local
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(force='no'):\n assert 'local_wp_dir' in env, 'Missing local_wp_dir in env'\n if force != 'yes':\n message = (\n 'This will replace your local database with your remote, are you sure [y/n]'\n )\n answer = prompt(message, 'y')\n if answer != 'y':\n logger.info('Sync stopped')\n return\n init_tasks()\n remote_file = 'sync_%s.sql' % int(time.time() * 1000)\n remote_path = '/tmp/%s' % remote_file\n with env.cd(paths.get_current_path()):\n env.run('wp db export %s' % remote_path)\n local_wp_dir = env.local_wp_dir\n local_path = '/tmp/%s' % remote_file\n get(remote_path, local_path)\n with lcd(local_wp_dir):\n elocal('wp db import %s' % local_path)\n env.run('rm %s' % remote_path)\n elocal('rm %s' % local_path)\n", "role": "user" }, { "content": "sync_remote_to_local", "role": "assistant" } ]
def x(db) ->Iterable[PriorityRule]: cur = db.cursor() cur.execute('SELECT id, regexp, priority FROM file_priority') for row in cur: yield PriorityRule(*row)
get_priority_rules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db) ->Iterable[PriorityRule]:\n cur = db.cursor()\n cur.execute('SELECT id, regexp, priority FROM file_priority')\n for row in cur:\n yield PriorityRule(*row)\n", "role": "user" }, { "content": "get_priority_rules", "role": "assistant" } ]
def x(db, regexp: str, priority: Optional[int]=None) ->int: with db: cur = db.cursor() if priority is None: cur.execute('SELECT MAX(priority) FROM file_priority') highest_priority = cur.fetchone()[0] if highest_priority is None: priority = 1 else: priority = highest_priority + 1 cur.execute( """ INSERT INTO file_priority (regexp, priority) VALUES (?, ?)""" , (regexp, priority)) row_id = db.last_insert_rowid() return row_id
add_priority_rule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, regexp: str, priority: Optional[int]=None) ->int:\n with db:\n cur = db.cursor()\n if priority is None:\n cur.execute('SELECT MAX(priority) FROM file_priority')\n highest_priority = cur.fetchone()[0]\n if highest_priority is None:\n priority = 1\n else:\n priority = highest_priority + 1\n cur.execute(\n \"\"\"\n INSERT INTO file_priority (regexp, priority)\n VALUES (?, ?)\"\"\"\n , (regexp, priority))\n row_id = db.last_insert_rowid()\n return row_id\n", "role": "user" }, { "content": "add_priority_rule", "role": "assistant" } ]
def x(db, rule_id: int) ->None: with db: cur = db.cursor() cur.execute('DELETE FROM file_priority WHERE id=?', (rule_id,))
delete_priority_rule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, rule_id: int) ->None:\n with db:\n cur = db.cursor()\n cur.execute('DELETE FROM file_priority WHERE id=?', (rule_id,))\n", "role": "user" }, { "content": "delete_priority_rule", "role": "assistant" } ]
def x(db, aid: int, anime_files: AnimeFiles) ->None: with db: cache_status(db, aid) db.cursor().execute( """UPDATE cache_anime SET anime_files=? WHERE aid=?""" , (anime_files.to_json(), aid))
cache_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, aid: int, anime_files: AnimeFiles) ->None:\n with db:\n cache_status(db, aid)\n db.cursor().execute(\n \"\"\"UPDATE cache_anime\n SET anime_files=?\n WHERE aid=?\"\"\"\n , (anime_files.to_json(), aid))\n", "role": "user" }, { "content": "cache_files", "role": "assistant" } ]
def x(conn, aid: int) ->AnimeFiles: with conn: cur = conn.cursor().execute( 'SELECT anime_files FROM cache_anime WHERE aid=?', (aid,)) row = cur.fetchone() if row is None: raise ValueError('No cached files') return AnimeFiles.from_json(row[0])
get_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(conn, aid: int) ->AnimeFiles:\n with conn:\n cur = conn.cursor().execute(\n 'SELECT anime_files FROM cache_anime WHERE aid=?', (aid,))\n row = cur.fetchone()\n if row is None:\n raise ValueError('No cached files')\n return AnimeFiles.from_json(row[0])\n", "role": "user" }, { "content": "get_files", "role": "assistant" } ]
def x(self, filename): basename = os.path.basename(filename) match = self.regexp.search(basename) if match: self.by_episode[int(match.group('ep'))].add(filename)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n basename = os.path.basename(filename)\n match = self.regexp.search(basename)\n if match:\n self.by_episode[int(match.group('ep'))].add(filename)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, episode): available = [ep for ep in self if ep > episode] string = ','.join(str(ep) for ep in available[:self.EPISODES_TO_SHOW]) if len(available) > self.EPISODES_TO_SHOW: string += '...' return string
available_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, episode):\n available = [ep for ep in self if ep > episode]\n string = ','.join(str(ep) for ep in available[:self.EPISODES_TO_SHOW])\n if len(available) > self.EPISODES_TO_SHOW:\n string += '...'\n return string\n", "role": "user" }, { "content": "available_string", "role": "assistant" } ]
def x(cls, string): obj = json.loads(string) return cls(obj['regexp'], obj['files'])
from_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, string):\n obj = json.loads(string)\n return cls(obj['regexp'], obj['files'])\n", "role": "user" }, { "content": "from_json", "role": "assistant" } ]
def x(status_code): if status_code == '100': return None exc_class = STATUS_CODE_MAPPING.get(status_code) if not exc_class: return STATUS_CODE_MAPPING['UNKNOWN'] else: return exc_class
get_exception_class_from_status_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(status_code):\n if status_code == '100':\n return None\n exc_class = STATUS_CODE_MAPPING.get(status_code)\n if not exc_class:\n return STATUS_CODE_MAPPING['UNKNOWN']\n else:\n return exc_class\n", "role": "user" }, { "content": "get_exception_class_from_status_code", "role": "assistant" } ]
def x(self, spider): if self.url == '': self.client = pymongo.MongoClient(self.host, self.port) else: self.client = pymongo.MongoClient(self.url) self.db_name, self.collection_name = self._replace_placeholder(spider) self.db = self.client[self.db_name]
open_spider
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spider):\n if self.url == '':\n self.client = pymongo.MongoClient(self.host, self.port)\n else:\n self.client = pymongo.MongoClient(self.url)\n self.db_name, self.collection_name = self._replace_placeholder(spider)\n self.db = self.client[self.db_name]\n", "role": "user" }, { "content": "open_spider", "role": "assistant" } ]
def x(self, spider): return self.db_name % {'spider': spider.name}, self.collection_name % { 'spider': spider.name}
replace_placeholder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spider):\n return self.db_name % {'spider': spider.name}, self.collection_name % {\n 'spider': spider.name}\n", "role": "user" }, { "content": "replace_placeholder", "role": "assistant" } ]
def x(self): path = [self.path] path.extend([str(x) for x in self.params]) url = self.client.base_url + '/'.join(x for x in path if x) query = self.kwargs.get('query') if query: if type(query) is dict: query = query.items() query = [(k, v) for k, v in query if v is not None] url += '?' + urlencode(query) return url
construct_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n path = [self.path]\n path.extend([str(x) for x in self.params])\n url = self.client.base_url + '/'.join(x for x in path if x)\n query = self.kwargs.get('query')\n if query:\n if type(query) is dict:\n query = query.items()\n query = [(k, v) for k, v in query if v is not None]\n url += '?' + urlencode(query)\n return url\n", "role": "user" }, { "content": "construct_url", "role": "assistant" } ]
def x(f): @wraps(f) def x(cls, *args, **kwargs): if not cls.logged_in: raise FMBaseError('Please login to use this method') return f(cls, *args, **kwargs) return check_login
login_required
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n @wraps(f)\n def x(cls, *args, **kwargs):\n if not cls.logged_in:\n raise FMBaseError('Please login to use this method')\n return f(cls, *args, **kwargs)\n return check_login\n", "role": "user" }, { "content": "login_required", "role": "assistant" } ]
def x(): configfile = get_configfile() if not os.path.exists(configfile): data = {'apikey': 'GET KEY AT: https://www.filemail.com/apidoc/ApiKey.aspx'} save_config(data) with open(configfile, 'rb') as f: return json.load(f)
load_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n configfile = get_configfile()\n if not os.path.exists(configfile):\n data = {'apikey':\n 'GET KEY AT: https://www.filemail.com/apidoc/ApiKey.aspx'}\n save_config(data)\n with open(configfile, 'rb') as f:\n return json.load(f)\n", "role": "user" }, { "content": "load_config", "role": "assistant" } ]
def x(cls, name, config): if name != cls.name: return return super(Logging, cls).from_config(name, config)
from_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, config):\n if name != cls.name:\n return\n return super(Logging, cls).from_config(name, config)\n", "role": "user" }, { "content": "from_config", "role": "assistant" } ]
def x(config_dir='.'): if FLAKE8_CONFIG_NAME in os.listdir(config_dir): flake8_config_path = FLAKE8_CONFIG_NAME else: flake8_config_path = DEFAULT_FLAKE8_CONFIG_PATH return ['--config={}'.format(flake8_config_path)]
get_flake8_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_dir='.'):\n if FLAKE8_CONFIG_NAME in os.listdir(config_dir):\n flake8_config_path = FLAKE8_CONFIG_NAME\n else:\n flake8_config_path = DEFAULT_FLAKE8_CONFIG_PATH\n return ['--config={}'.format(flake8_config_path)]\n", "role": "user" }, { "content": "get_flake8_options", "role": "assistant" } ]
def x(config_dir='.'): if LICENSE_CHECKER_CONFIG_NAME in os.listdir(config_dir): license_checker_config_path = LICENSE_CHECKER_CONFIG_NAME else: license_checker_config_path = DEFAULT_LICENSE_CHECKER_CONFIG_PATH return license_checker_config_path
get_license_checker_config_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_dir='.'):\n if LICENSE_CHECKER_CONFIG_NAME in os.listdir(config_dir):\n license_checker_config_path = LICENSE_CHECKER_CONFIG_NAME\n else:\n license_checker_config_path = DEFAULT_LICENSE_CHECKER_CONFIG_PATH\n return license_checker_config_path\n", "role": "user" }, { "content": "get_license_checker_config_path", "role": "assistant" } ]
def x(config_dir='.'): if PYLINT_CONFIG_NAME in os.listdir(config_dir): pylint_config_path = PYLINT_CONFIG_NAME else: pylint_config_path = DEFAULT_PYLINT_CONFIG_PATH return ['--rcfile={}'.format(pylint_config_path)]
get_pylint_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_dir='.'):\n if PYLINT_CONFIG_NAME in os.listdir(config_dir):\n pylint_config_path = PYLINT_CONFIG_NAME\n else:\n pylint_config_path = DEFAULT_PYLINT_CONFIG_PATH\n return ['--rcfile={}'.format(pylint_config_path)]\n", "role": "user" }, { "content": "get_pylint_options", "role": "assistant" } ]
def x(*events, **kwargs): timeout = kwargs.get('timeout') composite_event = threading.Event() if any([event.is_set() for event in events]): return def x(): if any([event.is_set() for event in events]): composite_event.set() else: composite_event.clear() def x(original): def x(): original() on_change() return patched for event in events: event.set = patch(event.set) event.clear = patch(event.clear) wait_on_event(composite_event, timeout=timeout)
wait_on_any
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*events, **kwargs):\n timeout = kwargs.get('timeout')\n composite_event = threading.Event()\n if any([event.is_set() for event in events]):\n return\n\n def x():\n if any([event.is_set() for event in events]):\n composite_event.set()\n else:\n composite_event.clear()\n\n def x(original):\n\n def x():\n original()\n on_change()\n return patched\n for event in events:\n event.set = patch(event.set)\n event.clear = patch(event.clear)\n wait_on_event(composite_event, timeout=timeout)\n", "role": "user" }, { "content": "wait_on_any", "role": "assistant" } ]
def x(event, timeout=None): if timeout is not None: event.wait(timeout) return if six.PY2: while not event.is_set(): event.wait(sys.maxint) else: event.wait()
wait_on_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(event, timeout=None):\n if timeout is not None:\n event.wait(timeout)\n return\n if six.PY2:\n while not event.is_set():\n event.wait(sys.maxint)\n else:\n event.wait()\n", "role": "user" }, { "content": "wait_on_event", "role": "assistant" } ]
def x(cls, config): if 'config_file' not in config: raise ValueError('No config file path given') if 'socket_file' not in config: raise ValueError('No control socket path given') if 'pid_file' not in config: raise ValueError('No PID file path given') if 'stats' in config and 'port' not in config['stats']: raise ValueError('Stats interface defined, but no port given') if 'proxies' in config: cls.validate_proxies_config(config['proxies']) return config
validate_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, config):\n if 'config_file' not in config:\n raise ValueError('No config file path given')\n if 'socket_file' not in config:\n raise ValueError('No control socket path given')\n if 'pid_file' not in config:\n raise ValueError('No PID file path given')\n if 'stats' in config and 'port' not in config['stats']:\n raise ValueError('Stats interface defined, but no port given')\n if 'proxies' in config:\n cls.validate_proxies_config(config['proxies'])\n return config\n", "role": "user" }, { "content": "validate_config", "role": "assistant" } ]
def x(cls, proxies): for name, proxy in six.iteritems(proxies): if 'port' not in proxy: raise ValueError('No port defined for proxy %s' % name) if 'upstreams' not in proxy: raise ValueError('No upstreams defined for proxy %s' % name) for upstream in proxy['upstreams']: if 'host' not in upstream: raise ValueError('No host defined for upstream in proxy %s' % name) if 'port' not in upstream: raise ValueError('No port defined for upstream in proxy %s' % name)
validate_proxies_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, proxies):\n for name, proxy in six.iteritems(proxies):\n if 'port' not in proxy:\n raise ValueError('No port defined for proxy %s' % name)\n if 'upstreams' not in proxy:\n raise ValueError('No upstreams defined for proxy %s' % name)\n for upstream in proxy['upstreams']:\n if 'host' not in upstream:\n raise ValueError('No host defined for upstream in proxy %s' %\n name)\n if 'port' not in upstream:\n raise ValueError('No port defined for upstream in proxy %s' %\n name)\n", "role": "user" }, { "content": "validate_proxies_config", "role": "assistant" } ]
def x(self, config): self.haproxy_config_path = config['config_file'] global_stanza = Stanza('global') global_stanza.add_lines(config.get('global', [])) global_stanza.add_lines(['stats socket %s mode 600 level admin' % config['socket_file'], 'stats timeout 2m']) defaults_stanza = Stanza('defaults') defaults_stanza.add_lines(config.get('defaults', [])) proxy_stanzas = [ProxyStanza(name, proxy['port'], proxy['upstreams'], proxy.get('options', []), proxy.get('bind_address')) for name, proxy in six.iteritems(config.get('proxies', {}))] stats_stanza = None if 'stats' in config: stats_stanza = StatsStanza(config['stats']['port'], config['stats'] .get('uri', '/')) for timeout in ('client', 'connect', 'server'): if timeout in config['stats'].get('timeouts', {}): stats_stanza.add_line('timeout %s %d' % (timeout, config[ 'stats']['timeouts'][timeout])) self.config_file = HAProxyConfig(global_stanza, defaults_stanza, proxy_stanzas=proxy_stanzas, stats_stanza=stats_stanza, meta_clusters=config.get('meta_clusters', {}), bind_address=config. get('bind_address')) self.control = HAProxyControl(config['config_file'], config[ 'socket_file'], config['pid_file'])
apply_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n self.haproxy_config_path = config['config_file']\n global_stanza = Stanza('global')\n global_stanza.add_lines(config.get('global', []))\n global_stanza.add_lines(['stats socket %s mode 600 level admin' %\n config['socket_file'], 'stats timeout 2m'])\n defaults_stanza = Stanza('defaults')\n defaults_stanza.add_lines(config.get('defaults', []))\n proxy_stanzas = [ProxyStanza(name, proxy['port'], proxy['upstreams'],\n proxy.get('options', []), proxy.get('bind_address')) for name,\n proxy in six.iteritems(config.get('proxies', {}))]\n stats_stanza = None\n if 'stats' in config:\n stats_stanza = StatsStanza(config['stats']['port'], config['stats']\n .get('uri', '/'))\n for timeout in ('client', 'connect', 'server'):\n if timeout in config['stats'].get('timeouts', {}):\n stats_stanza.add_line('timeout %s %d' % (timeout, config[\n 'stats']['timeouts'][timeout]))\n self.config_file = HAProxyConfig(global_stanza, defaults_stanza,\n proxy_stanzas=proxy_stanzas, stats_stanza=stats_stanza,\n meta_clusters=config.get('meta_clusters', {}), bind_address=config.\n get('bind_address'))\n self.control = HAProxyControl(config['config_file'], config[\n 'socket_file'], config['pid_file'])\n", "role": "user" }, { "content": "apply_config", "role": "assistant" } ]
def x(self, clusters): logger.info('Updating HAProxy config file.') if not self.restart_required: self.sync_nodes(clusters) version = self.control.get_version() with open(self.haproxy_config_path, 'w') as f: f.write(self.config_file.generate(clusters, version=version)) if self.restart_required: with self.restart_lock: self.restart()
sync_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clusters):\n logger.info('Updating HAProxy config file.')\n if not self.restart_required:\n self.sync_nodes(clusters)\n version = self.control.get_version()\n with open(self.haproxy_config_path, 'w') as f:\n f.write(self.config_file.generate(clusters, version=version))\n if self.restart_required:\n with self.restart_lock:\n self.restart()\n", "role": "user" }, { "content": "sync_file", "role": "assistant" } ]
def x(self): delay = self.last_restart - time.time() + self.restart_interval if delay > 0: time.sleep(delay) self.control.restart() self.last_restart = time.time() self.restart_required = False
restart
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n delay = self.last_restart - time.time() + self.restart_interval\n if delay > 0:\n time.sleep(delay)\n self.control.restart()\n self.last_restart = time.time()\n self.restart_required = False\n", "role": "user" }, { "content": "restart", "role": "assistant" } ]
def x(self, clusters): logger.info('Syncing HAProxy backends.') current_nodes, enabled_nodes = self.get_current_nodes(clusters) for cluster_name, nodes in six.iteritems(current_nodes): for node in nodes: if node['svname'] in enabled_nodes[cluster_name]: command = self.control.enable_node else: command = self.control.disable_node try: response = command(cluster_name, node['svname']) except Exception: logger.exception('Error when enabling/disabling node') self.restart_required = True else: if response: logger.error('Socket command for %s node %s failed: %s', cluster_name, node['svname'], response) self.restart_required = True return logger.info('HAProxy nodes/servers synced.')
sync_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clusters):\n logger.info('Syncing HAProxy backends.')\n current_nodes, enabled_nodes = self.get_current_nodes(clusters)\n for cluster_name, nodes in six.iteritems(current_nodes):\n for node in nodes:\n if node['svname'] in enabled_nodes[cluster_name]:\n command = self.control.enable_node\n else:\n command = self.control.disable_node\n try:\n response = command(cluster_name, node['svname'])\n except Exception:\n logger.exception('Error when enabling/disabling node')\n self.restart_required = True\n else:\n if response:\n logger.error('Socket command for %s node %s failed: %s',\n cluster_name, node['svname'], response)\n self.restart_required = True\n return\n logger.info('HAProxy nodes/servers synced.')\n", "role": "user" }, { "content": "sync_nodes", "role": "assistant" } ]
def x(self, clusters): current_nodes = self.control.get_active_nodes() enabled_nodes = collections.defaultdict(list) for cluster in clusters: if not cluster.nodes: continue if cluster.name not in current_nodes: logger.debug("New cluster '%s' added, restart required.", cluster.name) self.restart_required = True for node in cluster.nodes: if node.name not in [current_node['svname'] for current_node in current_nodes.get(cluster.name, [])]: logger.debug( "New node added to cluster '%s', restart required.", cluster.name) self.restart_required = True enabled_nodes[cluster.name].append(node.name) return current_nodes, enabled_nodes
get_current_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clusters):\n current_nodes = self.control.get_active_nodes()\n enabled_nodes = collections.defaultdict(list)\n for cluster in clusters:\n if not cluster.nodes:\n continue\n if cluster.name not in current_nodes:\n logger.debug(\"New cluster '%s' added, restart required.\",\n cluster.name)\n self.restart_required = True\n for node in cluster.nodes:\n if node.name not in [current_node['svname'] for current_node in\n current_nodes.get(cluster.name, [])]:\n logger.debug(\n \"New node added to cluster '%s', restart required.\",\n cluster.name)\n self.restart_required = True\n enabled_nodes[cluster.name].append(node.name)\n return current_nodes, enabled_nodes\n", "role": "user" }, { "content": "get_current_nodes", "role": "assistant" } ]
def x(cls, config): if 'discovery' not in config: raise ValueError('No discovery method defined.') if not any([(item in config) for item in ['port', 'ports']]): raise ValueError('No port(s) defined.') cls.validate_check_configs(config)
validate_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, config):\n if 'discovery' not in config:\n raise ValueError('No discovery method defined.')\n if not any([(item in config) for item in ['port', 'ports']]):\n raise ValueError('No port(s) defined.')\n cls.validate_check_configs(config)\n", "role": "user" }, { "content": "validate_config", "role": "assistant" } ]
def x(cls, config): if 'checks' not in config: raise ValueError('No checks defined.') if 'interval' not in config['checks']: raise ValueError('No check interval defined.') for check_name, check_config in six.iteritems(config['checks']): if check_name == 'interval': continue Check.from_config(check_name, check_config)
validate_check_configs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, config):\n if 'checks' not in config:\n raise ValueError('No checks defined.')\n if 'interval' not in config['checks']:\n raise ValueError('No check interval defined.')\n for check_name, check_config in six.iteritems(config['checks']):\n if check_name == 'interval':\n continue\n Check.from_config(check_name, check_config)\n", "role": "user" }, { "content": "validate_check_configs", "role": "assistant" } ]
def x(self, config): self.host = config.get('host', '127.0.0.1') self.configured_ports = config.get('ports', [config.get('port')]) self.discovery = config['discovery'] self.metadata = config.get('metadata', {}) self.update_ports() self.check_interval = config['checks']['interval'] self.update_checks(config['checks'])
apply_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n self.host = config.get('host', '127.0.0.1')\n self.configured_ports = config.get('ports', [config.get('port')])\n self.discovery = config['discovery']\n self.metadata = config.get('metadata', {})\n self.update_ports()\n self.check_interval = config['checks']['interval']\n self.update_checks(config['checks'])\n", "role": "user" }, { "content": "apply_config", "role": "assistant" } ]
def x(self): ports = set() for port in self.configured_ports: try: ports.add(int(port)) except ValueError: logger.error('Invalid port value: %s', port) continue self.ports = ports
update_ports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ports = set()\n for port in self.configured_ports:\n try:\n ports.add(int(port))\n except ValueError:\n logger.error('Invalid port value: %s', port)\n continue\n self.ports = ports\n", "role": "user" }, { "content": "update_ports", "role": "assistant" } ]
def x(self, check_configs): for check_name, check_config in six.iteritems(check_configs): if check_name == 'interval': continue for port in self.ports: try: check = Check.from_config(check_name, check_config) check.host = self.host check.port = port self.checks[port][check_name] = check except ValueError as e: logger.error( "Error when configuring check '%s' for service %s: %s", check_name, self.name, str(e)) continue
update_checks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, check_configs):\n for check_name, check_config in six.iteritems(check_configs):\n if check_name == 'interval':\n continue\n for port in self.ports:\n try:\n check = Check.from_config(check_name, check_config)\n check.host = self.host\n check.port = port\n self.checks[port][check_name] = check\n except ValueError as e:\n logger.error(\n \"Error when configuring check '%s' for service %s: %s\",\n check_name, self.name, str(e))\n continue\n", "role": "user" }, { "content": "update_checks", "role": "assistant" } ]
def x(self): came_up = set() went_down = set() for port in self.ports: checks = self.checks[port].values() if not checks: logger.warn('No checks defined for self: %s', self.name) for check in checks: check.run() checks_pass = all([check.passing for check in checks]) if self.is_up[port] in (False, None) and checks_pass: came_up.add(port) self.is_up[port] = True elif self.is_up[port] in (True, None) and not checks_pass: went_down.add(port) self.is_up[port] = False for unused_port in (set(self.checks.keys()) - self.ports): went_down.add(unused_port) del self.checks[unused_port] return came_up, went_down
run_checks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n came_up = set()\n went_down = set()\n for port in self.ports:\n checks = self.checks[port].values()\n if not checks:\n logger.warn('No checks defined for self: %s', self.name)\n for check in checks:\n check.run()\n checks_pass = all([check.passing for check in checks])\n if self.is_up[port] in (False, None) and checks_pass:\n came_up.add(port)\n self.is_up[port] = True\n elif self.is_up[port] in (True, None) and not checks_pass:\n went_down.add(port)\n self.is_up[port] = False\n for unused_port in (set(self.checks.keys()) - self.ports):\n went_down.add(unused_port)\n del self.checks[unused_port]\n return came_up, went_down\n", "role": "user" }, { "content": "run_checks", "role": "assistant" } ]
def x(self, retrieved): from aiida.orm.data.singlefile import SinglefileData success = False node_list = [] try: out_folder = retrieved['retrieved'] except KeyError: self.logger.error('No retrieved folder found') return success, node_list list_of_files = out_folder.get_folder_list() output_files = self._calc.inp.parameters.output_files if set(output_files) <= set(list_of_files): pass else: self.logger.error('Not all expected output files {} were found'. format(output_files)) return success, node_list output_links = self._calc.inp.parameters.output_links for fname, link in list(zip(output_files, output_links)): parsed = SinglefileData(file=out_folder.get_abs_path(fname)) node_list.append((link, parsed)) success = True return success, node_list
parse_with_retrieved
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, retrieved):\n from aiida.orm.data.singlefile import SinglefileData\n success = False\n node_list = []\n try:\n out_folder = retrieved['retrieved']\n except KeyError:\n self.logger.error('No retrieved folder found')\n return success, node_list\n list_of_files = out_folder.get_folder_list()\n output_files = self._calc.inp.parameters.output_files\n if set(output_files) <= set(list_of_files):\n pass\n else:\n self.logger.error('Not all expected output files {} were found'.\n format(output_files))\n return success, node_list\n output_links = self._calc.inp.parameters.output_links\n for fname, link in list(zip(output_files, output_links)):\n parsed = SinglefileData(file=out_folder.get_abs_path(fname))\n node_list.append((link, parsed))\n success = True\n return success, node_list\n", "role": "user" }, { "content": "parse_with_retrieved", "role": "assistant" } ]
def x(self, request, queryset): rows_updated = queryset.update(Alive=False, Death=datetime.date.today(), Cause_of_Death='Sacrificed') if rows_updated == 1: message_bit = '1 animal was' else: message_bit = '%s animals were' % rows_updated self.message_user(request, '%s successfully marked as sacrificed.' % message_bit)
mark_sacrificed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, queryset):\n rows_updated = queryset.update(Alive=False, Death=datetime.date.today(),\n Cause_of_Death='Sacrificed')\n if rows_updated == 1:\n message_bit = '1 animal was'\n else:\n message_bit = '%s animals were' % rows_updated\n self.message_user(request, '%s successfully marked as sacrificed.' %\n message_bit)\n", "role": "user" }, { "content": "mark_sacrificed", "role": "assistant" } ]
def x(self, request, queryset): rows_updated = queryset.update(Active=False, End=datetime.date.today()) if rows_updated == 1: message_bit = '1 cage was' else: message_bit = '%s cages were' % rows_updated self.message_user(request, '%s successfully marked as deactivated.' % message_bit)
mark_deactivated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, queryset):\n rows_updated = queryset.update(Active=False, End=datetime.date.today())\n if rows_updated == 1:\n message_bit = '1 cage was'\n else:\n message_bit = '%s cages were' % rows_updated\n self.message_user(request, '%s successfully marked as deactivated.' %\n message_bit)\n", "role": "user" }, { "content": "mark_deactivated", "role": "assistant" } ]
def x(main=None, argv=None): flags_obj = flags.FLAGS absl_flags_obj = absl_flags.FLAGS args = argv[1:] if argv else None flags_passthrough = flags_obj._parse_flags(args=args) if absl_flags_obj['verbosity'].using_default_value: absl_flags_obj.verbosity = 0 main = main or sys.modules['__main__'].main sys.exit(main(sys.argv[:1] + flags_passthrough))
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(main=None, argv=None):\n flags_obj = flags.FLAGS\n absl_flags_obj = absl_flags.FLAGS\n args = argv[1:] if argv else None\n flags_passthrough = flags_obj._parse_flags(args=args)\n if absl_flags_obj['verbosity'].using_default_value:\n absl_flags_obj.verbosity = 0\n main = main or sys.modules['__main__'].main\n sys.exit(main(sys.argv[:1] + flags_passthrough))\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(s, encoding='utf-8', encoding_errors='strict'): if not isinstance(s, unicode): if not isinstance(s, basestring): return unicode(str(s), encoding, encoding_errors) return unicode(s, encoding, encoding_errors) return s
make_unicode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, encoding='utf-8', encoding_errors='strict'):\n if not isinstance(s, unicode):\n if not isinstance(s, basestring):\n return unicode(str(s), encoding, encoding_errors)\n return unicode(s, encoding, encoding_errors)\n return s\n", "role": "user" }, { "content": "make_unicode", "role": "assistant" } ]
def x(s, encoding='utf-8', encoding_errors='strict'): return escape(make_unicode(s, encoding, encoding_errors), quote=True)
html_escape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, encoding='utf-8', encoding_errors='strict'):\n return escape(make_unicode(s, encoding, encoding_errors), quote=True)\n", "role": "user" }, { "content": "html_escape", "role": "assistant" } ]
def x(song, duration, start=True, end=True, slack=5, beats_per_measure=None): duration = float(duration) constraints = [rt_constraints.TimbrePitchConstraint(context=0, timbre_weight=1.0, chroma_weight=1.0), rt_constraints. EnergyConstraint(penalty=0.5), rt_constraints.MinimumLoopConstraint(8)] if beats_per_measure is not None: constraints.append(rt_constraints.RhythmConstraint( beats_per_measure, 0.125)) if start: constraints.append(rt_constraints.StartAtStartConstraint(padding=0)) if end: constraints.append(rt_constraints.EndAtEndConstraint(padding=slack)) comp, info = retarget([song], duration, constraints=[constraints], fade_in_len=None, fade_out_len=None) if end: last_seg = sorted(comp.segments, key=lambda seg: seg. comp_location_in_seconds + seg.duration_in_seconds)[-1] last_seg.duration_in_seconds = (song.duration_in_seconds - last_seg .start_in_seconds) path_cost = info['path_cost'] total_nonzero_cost = [] total_nonzero_points = [] for node in path_cost: if float(node.name) > 0.0: total_nonzero_cost.append(float(node.name)) total_nonzero_points.append(float(node.time)) transitions = zip(total_nonzero_points, total_nonzero_cost) for transition in transitions: comp.add_label(Label('crossfade', transition[0])) return comp
retarget_to_length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(song, duration, start=True, end=True, slack=5, beats_per_measure=None):\n duration = float(duration)\n constraints = [rt_constraints.TimbrePitchConstraint(context=0,\n timbre_weight=1.0, chroma_weight=1.0), rt_constraints.\n EnergyConstraint(penalty=0.5), rt_constraints.MinimumLoopConstraint(8)]\n if beats_per_measure is not None:\n constraints.append(rt_constraints.RhythmConstraint(\n beats_per_measure, 0.125))\n if start:\n constraints.append(rt_constraints.StartAtStartConstraint(padding=0))\n if end:\n constraints.append(rt_constraints.EndAtEndConstraint(padding=slack))\n comp, info = retarget([song], duration, constraints=[constraints],\n fade_in_len=None, fade_out_len=None)\n if end:\n last_seg = sorted(comp.segments, key=lambda seg: seg.\n comp_location_in_seconds + seg.duration_in_seconds)[-1]\n last_seg.duration_in_seconds = (song.duration_in_seconds - last_seg\n .start_in_seconds)\n path_cost = info['path_cost']\n total_nonzero_cost = []\n total_nonzero_points = []\n for node in path_cost:\n if float(node.name) > 0.0:\n total_nonzero_cost.append(float(node.name))\n total_nonzero_points.append(float(node.time))\n transitions = zip(total_nonzero_points, total_nonzero_cost)\n for transition in transitions:\n comp.add_label(Label('crossfade', transition[0]))\n return comp\n", "role": "user" }, { "content": "retarget_to_length", "role": "assistant" } ]
def x(song, cp_times, duration): analysis = song.analysis beat_length = analysis[BEAT_DUR_KEY] beats = np.array(analysis['beats']) cps = np.array(novelty(song, nchangepoints=4)) cp_times = np.array(cp_times) def x(t): closest_beat_idx = np.argmin(np.abs(beats - t)) closest_beat = beats[closest_beat_idx] closest_cp = cps[np.argmin(np.abs(cps - closest_beat))] if np.argmin(np.abs(beats - closest_cp)) == closest_beat_idx: return 'cp' else: return 'noncp' def x(t): if np.min(np.abs(cp_times - t)) < 1.5 * beat_length: return 'cp' return 'noncp' m_labels = [music_labels(i) for i in np.arange(0, song. duration_in_seconds, beat_length)] o_labels = [out_labels(i) for i in np.arange(0, duration, beat_length)] constraints = [rt_constraints.TimbrePitchConstraint(context=0, timbre_weight=1.0, chroma_weight=1.0), rt_constraints. EnergyConstraint(penalty=0.5), rt_constraints.MinimumLoopConstraint (8), rt_constraints.NoveltyConstraint(m_labels, o_labels, 1.0)] comp, info = retarget([song], duration, constraints=[constraints], fade_in_len=None, fade_out_len=None) final_cp_locations = [(beat_length * i) for i, label in enumerate(info[ 'result_labels']) if label == 'cp'] return comp, final_cp_locations
retarget_with_change_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(song, cp_times, duration):\n analysis = song.analysis\n beat_length = analysis[BEAT_DUR_KEY]\n beats = np.array(analysis['beats'])\n cps = np.array(novelty(song, nchangepoints=4))\n cp_times = np.array(cp_times)\n\n def x(t):\n closest_beat_idx = np.argmin(np.abs(beats - t))\n closest_beat = beats[closest_beat_idx]\n closest_cp = cps[np.argmin(np.abs(cps - closest_beat))]\n if np.argmin(np.abs(beats - closest_cp)) == closest_beat_idx:\n return 'cp'\n else:\n return 'noncp'\n\n def x(t):\n if np.min(np.abs(cp_times - t)) < 1.5 * beat_length:\n return 'cp'\n return 'noncp'\n m_labels = [music_labels(i) for i in np.arange(0, song.\n duration_in_seconds, beat_length)]\n o_labels = [out_labels(i) for i in np.arange(0, duration, beat_length)]\n constraints = [rt_constraints.TimbrePitchConstraint(context=0,\n timbre_weight=1.0, chroma_weight=1.0), rt_constraints.\n EnergyConstraint(penalty=0.5), rt_constraints.MinimumLoopConstraint\n (8), rt_constraints.NoveltyConstraint(m_labels, o_labels, 1.0)]\n comp, info = retarget([song], duration, constraints=[constraints],\n fade_in_len=None, fade_out_len=None)\n final_cp_locations = [(beat_length * i) for i, label in enumerate(info[\n 'result_labels']) if label == 'cp']\n return comp, final_cp_locations\n", "role": "user" }, { "content": "retarget_with_change_points", "role": "assistant" } ]
def x(self, scrapyd_url): if scrapyd_url[-1:] != '/': scrapyd_url = scrapyd_url + '/' self['daemonstatus'] = [scrapyd_url + 'daemonstatus.json', http_utils. METHOD_GET] self['addversion'] = [scrapyd_url + 'addversion.json', http_utils. METHOD_POST] self['schedule'] = [scrapyd_url + 'schedule.json', http_utils.METHOD_POST] self['cancel'] = [scrapyd_url + 'cancel.json', http_utils.METHOD_POST] self['listprojects'] = [scrapyd_url + 'listprojects.json', http_utils. METHOD_GET] self['listversions'] = [scrapyd_url + 'listversions.json', http_utils. METHOD_GET] self['listspiders'] = [scrapyd_url + 'listspiders.json', http_utils. METHOD_GET] self['listjobs'] = [scrapyd_url + 'listjobs.json', http_utils.METHOD_GET] self['delversion'] = [scrapyd_url + 'delversion.json', http_utils. METHOD_POST] self['delproject'] = [scrapyd_url + 'delproject.json', http_utils. METHOD_POST] self['logs'] = [scrapyd_url + 'logs/', http_utils.METHOD_GET]
init_command_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scrapyd_url):\n if scrapyd_url[-1:] != '/':\n scrapyd_url = scrapyd_url + '/'\n self['daemonstatus'] = [scrapyd_url + 'daemonstatus.json', http_utils.\n METHOD_GET]\n self['addversion'] = [scrapyd_url + 'addversion.json', http_utils.\n METHOD_POST]\n self['schedule'] = [scrapyd_url + 'schedule.json', http_utils.METHOD_POST]\n self['cancel'] = [scrapyd_url + 'cancel.json', http_utils.METHOD_POST]\n self['listprojects'] = [scrapyd_url + 'listprojects.json', http_utils.\n METHOD_GET]\n self['listversions'] = [scrapyd_url + 'listversions.json', http_utils.\n METHOD_GET]\n self['listspiders'] = [scrapyd_url + 'listspiders.json', http_utils.\n METHOD_GET]\n self['listjobs'] = [scrapyd_url + 'listjobs.json', http_utils.METHOD_GET]\n self['delversion'] = [scrapyd_url + 'delversion.json', http_utils.\n METHOD_POST]\n self['delproject'] = [scrapyd_url + 'delproject.json', http_utils.\n METHOD_POST]\n self['logs'] = [scrapyd_url + 'logs/', http_utils.METHOD_GET]\n", "role": "user" }, { "content": "init_command_set", "role": "assistant" } ]
def x(self): url, method = self.command_set['daemonstatus'][0], self.command_set[ 'daemonstatus'][1] response = http_utils.request(url, method_type=method, return_type= http_utils.RETURN_JSON) if response is None: logging.warning('%s failure: not found or connection fail' % sys. _getframe().f_code.co_name) response = DaemonStatus().__dict__ return response
get_load_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url, method = self.command_set['daemonstatus'][0], self.command_set[\n 'daemonstatus'][1]\n response = http_utils.request(url, method_type=method, return_type=\n http_utils.RETURN_JSON)\n if response is None:\n logging.warning('%s failure: not found or connection fail' % sys.\n _getframe().f_code.co_name)\n response = DaemonStatus().__dict__\n return response\n", "role": "user" }, { "content": "get_load_status", "role": "assistant" } ]
def x(self, project_name, spider_name, priority=0, setting=None, job_id= None, version=None, args={}): url, method = self.command_set['schedule'][0], self.command_set['schedule' ][1] data = {} data['project'] = project_name data['spider'] = spider_name data['priority'] = priority if setting is not None: data['setting'] = setting if job_id is not None: data['jobid'] = job_id if version is not None: data['_version'] = version for k, v in args.items(): data[k] = v response = http_utils.request(url, method_type=method, data=data, return_type=http_utils.RETURN_JSON) if response is None: logging.warning('%s failure: not found or connection fail' % sys. _getframe().f_code.co_name) response = ScheduleResultSet().__dict__ return response
schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project_name, spider_name, priority=0, setting=None, job_id=\n None, version=None, args={}):\n url, method = self.command_set['schedule'][0], self.command_set['schedule'\n ][1]\n data = {}\n data['project'] = project_name\n data['spider'] = spider_name\n data['priority'] = priority\n if setting is not None:\n data['setting'] = setting\n if job_id is not None:\n data['jobid'] = job_id\n if version is not None:\n data['_version'] = version\n for k, v in args.items():\n data[k] = v\n response = http_utils.request(url, method_type=method, data=data,\n return_type=http_utils.RETURN_JSON)\n if response is None:\n logging.warning('%s failure: not found or connection fail' % sys.\n _getframe().f_code.co_name)\n response = ScheduleResultSet().__dict__\n return response\n", "role": "user" }, { "content": "schedule", "role": "assistant" } ]
def x(self, project_name, job_id): url, method = self.command_set['cancel'][0], self.command_set['cancel'][1] data = {} data['project'] = project_name data['job'] = job_id response = http_utils.request(url, method_type=method, data=data, return_type=http_utils.RETURN_JSON) if response is None: logging.warning('%s failure: not found or connection fail' % sys. _getframe().f_code.co_name) response = CancelResultSet().__dict__ return response
cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project_name, job_id):\n url, method = self.command_set['cancel'][0], self.command_set['cancel'][1]\n data = {}\n data['project'] = project_name\n data['job'] = job_id\n response = http_utils.request(url, method_type=method, data=data,\n return_type=http_utils.RETURN_JSON)\n if response is None:\n logging.warning('%s failure: not found or connection fail' % sys.\n _getframe().f_code.co_name)\n response = CancelResultSet().__dict__\n return response\n", "role": "user" }, { "content": "cancel", "role": "assistant" } ]
def x(self, project_name, version=None): url, method = self.command_set['listspiders'][0], self.command_set[ 'listspiders'][1] data = {} data['project'] = project_name if version is not None: data['_version'] = version response = http_utils.request(url, method_type=method, data=data, return_type=http_utils.RETURN_JSON) if response is None: logging.warning('%s failure: not found or connection fail' % sys. _getframe().f_code.co_name) response = SpiderList().__dict__ return response
get_spider_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project_name, version=None):\n url, method = self.command_set['listspiders'][0], self.command_set[\n 'listspiders'][1]\n data = {}\n data['project'] = project_name\n if version is not None:\n data['_version'] = version\n response = http_utils.request(url, method_type=method, data=data,\n return_type=http_utils.RETURN_JSON)\n if response is None:\n logging.warning('%s failure: not found or connection fail' % sys.\n _getframe().f_code.co_name)\n response = SpiderList().__dict__\n return response\n", "role": "user" }, { "content": "get_spider_list", "role": "assistant" } ]
def x(self, project_name): url, method = self.command_set['listjobs'][0], self.command_set['listjobs' ][1] data = {'project': project_name} response = http_utils.request(url, method_type=method, data=data, return_type=http_utils.RETURN_JSON) if response is None: logging.warning('%s failure: not found or connection fail' % sys. _getframe().f_code.co_name) response = JobList().__dict__ return response
get_job_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project_name):\n url, method = self.command_set['listjobs'][0], self.command_set['listjobs'\n ][1]\n data = {'project': project_name}\n response = http_utils.request(url, method_type=method, data=data,\n return_type=http_utils.RETURN_JSON)\n if response is None:\n logging.warning('%s failure: not found or connection fail' % sys.\n _getframe().f_code.co_name)\n response = JobList().__dict__\n return response\n", "role": "user" }, { "content": "get_job_list", "role": "assistant" } ]
def x(self, project_name, spider_name): url, method = self.command_set['logs'][0 ] + project_name + '/' + spider_name + '/', self.command_set['logs'][1] response = http_utils.request(url, method_type=method) html_parser = ScrapydLogsPageHTMLParser() html_parser.feed(response) html_parser.clean_enter_sign() return html_parser.result, [(url + x) for x in html_parser.result]
get_logs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project_name, spider_name):\n url, method = self.command_set['logs'][0\n ] + project_name + '/' + spider_name + '/', self.command_set['logs'][1]\n response = http_utils.request(url, method_type=method)\n html_parser = ScrapydLogsPageHTMLParser()\n html_parser.feed(response)\n html_parser.clean_enter_sign()\n return html_parser.result, [(url + x) for x in html_parser.result]\n", "role": "user" }, { "content": "get_logs", "role": "assistant" } ]
def x(vendor=None, device=None): lspci_cmd = ['lspci', '-xxxx', '-v'] lspci_results = subprocess.run(lspci_cmd, stdout=subprocess.PIPE) lspci_stdout = lspci_results.stdout.decode('utf-8') config = [parse_lspci_output(stdout) for stdout in lspci_stdout.split( '\n\n') if stdout != ''] if vendor is not None: config = [c for c in config if c.vendor_id == vendor] pass if device is not None: config = [c for c in config if c.device_id == device] pass return config
lspci
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vendor=None, device=None):\n lspci_cmd = ['lspci', '-xxxx', '-v']\n lspci_results = subprocess.run(lspci_cmd, stdout=subprocess.PIPE)\n lspci_stdout = lspci_results.stdout.decode('utf-8')\n config = [parse_lspci_output(stdout) for stdout in lspci_stdout.split(\n '\\n\\n') if stdout != '']\n if vendor is not None:\n config = [c for c in config if c.vendor_id == vendor]\n pass\n if device is not None:\n config = [c for c in config if c.device_id == device]\n pass\n return config\n", "role": "user" }, { "content": "lspci", "role": "assistant" } ]
def x(bar, offset, size): verify_access_range(bar, offset, size) if bar.type == 'io': return io_read(bar, offset, size) if bar.type == 'mem': return mem_read(bar, offset, size) return b''
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bar, offset, size):\n verify_access_range(bar, offset, size)\n if bar.type == 'io':\n return io_read(bar, offset, size)\n if bar.type == 'mem':\n return mem_read(bar, offset, size)\n return b''\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(bar, offset, data): if type(data) not in [bytes, bytearray]: msg = 'data should be bytes or bytearray type' raise TypeError(msg) size = len(data) verify_access_range(bar, offset, size) if bar.type == 'io': return io_write(bar, offset, data) if bar.type == 'mem': return mem_write(bar, offset, data) return
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bar, offset, data):\n if type(data) not in [bytes, bytearray]:\n msg = 'data should be bytes or bytearray type'\n raise TypeError(msg)\n size = len(data)\n verify_access_range(bar, offset, size)\n if bar.type == 'io':\n return io_write(bar, offset, data)\n if bar.type == 'mem':\n return mem_write(bar, offset, data)\n return\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(): import os path = os.path.dirname(__file__) path = os.path.join(path, 'data') r = dict(Alpha_inf_hyrec_file=os.path.join(path, 'hyrec', 'Alpha_inf.dat'), R_inf_hyrec_file=os.path.join(path, 'hyrec', 'R_inf.dat'), two_photon_tables_hyrec_file=os.path.join(path, 'hyrec', 'two_photon_tables.dat'), sBBN_file=os.path.join(path, 'bbn', 'sBBN.dat')) return r
get_data_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import os\n path = os.path.dirname(__file__)\n path = os.path.join(path, 'data')\n r = dict(Alpha_inf_hyrec_file=os.path.join(path, 'hyrec',\n 'Alpha_inf.dat'), R_inf_hyrec_file=os.path.join(path, 'hyrec',\n 'R_inf.dat'), two_photon_tables_hyrec_file=os.path.join(path,\n 'hyrec', 'two_photon_tables.dat'), sBBN_file=os.path.join(path,\n 'bbn', 'sBBN.dat'))\n return r\n", "role": "user" }, { "content": "get_data_files", "role": "assistant" } ]
def x(filename): import os if os.path.exists(filename): path = filename else: path = os.path.dirname(__file__) path = os.path.join(path, 'data', filename) if not os.path.exists(path): raise ValueError("cannot locate file '%s'" % filename) return path
find_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n import os\n if os.path.exists(filename):\n path = filename\n else:\n path = os.path.dirname(__file__)\n path = os.path.join(path, 'data', filename)\n if not os.path.exists(path):\n raise ValueError(\"cannot locate file '%s'\" % filename)\n return path\n", "role": "user" }, { "content": "find_file", "role": "assistant" } ]
def x(filename): path = _find_file(filename) r = dict() with open(path, 'r') as f: exec(f.read(), {}, r) return r
load_precision
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n path = _find_file(filename)\n r = dict()\n with open(path, 'r') as f:\n exec(f.read(), {}, r)\n return r\n", "role": "user" }, { "content": "load_precision", "role": "assistant" } ]
def x(filename): path = _find_file(filename) pars = {} with open(path, 'r') as ff: for lineno, line in enumerate(ff): if not line: continue if '#' in line: line = line[line.index('#') + 1:] if '=' not in line: continue fields = line.split('=') if len(fields) != 2: import warnings warnings.warn("skipping line number %d: '%s'" % (lineno, line)) continue pars[fields[0].strip()] = fields[1].strip() return pars
load_ini
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n path = _find_file(filename)\n pars = {}\n with open(path, 'r') as ff:\n for lineno, line in enumerate(ff):\n if not line:\n continue\n if '#' in line:\n line = line[line.index('#') + 1:]\n if '=' not in line:\n continue\n fields = line.split('=')\n if len(fields) != 2:\n import warnings\n warnings.warn(\"skipping line number %d: '%s'\" % (lineno, line))\n continue\n pars[fields[0].strip()] = fields[1].strip()\n return pars\n", "role": "user" }, { "content": "load_ini", "role": "assistant" } ]
def x(tagged_doc): tags = _normalize_tags(tagged_doc) merge = True while merge: merge = False for x in range(0, len(tags) - 1): t1 = tags[x] t2 = tags[x + 1] key = t1[1], t2[1] value = CFG.get(key, '') if value: merge = True tags.pop(x) tags.pop(x) match = '%s %s' % (t1[0], t2[0]) pos = value tags.insert(x, (match, pos)) break matches = [t[0] for t in tags if t[1] in ['NNP', 'NNI']] return matches
extract_noun_phrases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tagged_doc):\n tags = _normalize_tags(tagged_doc)\n merge = True\n while merge:\n merge = False\n for x in range(0, len(tags) - 1):\n t1 = tags[x]\n t2 = tags[x + 1]\n key = t1[1], t2[1]\n value = CFG.get(key, '')\n if value:\n merge = True\n tags.pop(x)\n tags.pop(x)\n match = '%s %s' % (t1[0], t2[0])\n pos = value\n tags.insert(x, (match, pos))\n break\n matches = [t[0] for t in tags if t[1] in ['NNP', 'NNI']]\n return matches\n", "role": "user" }, { "content": "extract_noun_phrases", "role": "assistant" } ]
def x(chunk): ret = [] for word, tag in chunk: if tag == 'NP-TL' or tag == 'NP': ret.append((word, 'NNP')) continue if tag.endswith('-TL'): ret.append((word, tag[:-3])) continue if tag.endswith('S'): ret.append((word, tag[:-1])) continue ret.append((word, tag)) return ret
normalize_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(chunk):\n ret = []\n for word, tag in chunk:\n if tag == 'NP-TL' or tag == 'NP':\n ret.append((word, 'NNP'))\n continue\n if tag.endswith('-TL'):\n ret.append((word, tag[:-3]))\n continue\n if tag.endswith('S'):\n ret.append((word, tag[:-1]))\n continue\n ret.append((word, tag))\n return ret\n", "role": "user" }, { "content": "normalize_tags", "role": "assistant" } ]
def x(patt, filename): nrows = patt.nrows ncols = patt.ncols frmstr = '{0},{1},{2:.16e},{3:.16e}\n' ar = patt.array with open(filename, 'w') as f: f.write('{0},{1}\n'.format(nrows, ncols)) for nr in xrange(0, nrows): for nc in xrange(0, ncols): f.write(frmstr.format(nr, nc, ar[nr, nc].real, ar[nr, nc].imag) )
save_patt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(patt, filename):\n nrows = patt.nrows\n ncols = patt.ncols\n frmstr = '{0},{1},{2:.16e},{3:.16e}\\n'\n ar = patt.array\n with open(filename, 'w') as f:\n f.write('{0},{1}\\n'.format(nrows, ncols))\n for nr in xrange(0, nrows):\n for nc in xrange(0, ncols):\n f.write(frmstr.format(nr, nc, ar[nr, nc].real, ar[nr, nc].imag)\n )\n", "role": "user" }, { "content": "save_patt", "role": "assistant" } ]
def x(scoef, filename): nmax = scoef.nmax mmax = scoef.mmax frmstr = '{0:.16e},{1:.16e}\n' L = nmax + 1 + mmax * (2 * nmax - mmax + 1) with open(filename, 'w') as f: f.write('{0},{1}\n'.format(nmax, mmax)) for n in xrange(0, L): f.write(frmstr.format(scoef._vec[n].real, scoef._vec[n].imag))
save_coef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scoef, filename):\n nmax = scoef.nmax\n mmax = scoef.mmax\n frmstr = '{0:.16e},{1:.16e}\\n'\n L = nmax + 1 + mmax * (2 * nmax - mmax + 1)\n with open(filename, 'w') as f:\n f.write('{0},{1}\\n'.format(nmax, mmax))\n for n in xrange(0, L):\n f.write(frmstr.format(scoef._vec[n].real, scoef._vec[n].imag))\n", "role": "user" }, { "content": "save_coef", "role": "assistant" } ]
def x(filename): with open(filename) as f: lines = f.readlines() lst = lines[0].split(',') patt = np.zeros([int(lst[0]), int(lst[1])], dtype=np.complex128) lines.pop(0) for line in lines: lst = line.split(',') n = int(lst[0]) m = int(lst[1]) re = float(lst[2]) im = float(lst[3]) patt[n, m] = re + 1.0j * im return sp.ScalarPatternUniform(patt, doublesphere=False)
load_patt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n with open(filename) as f:\n lines = f.readlines()\n lst = lines[0].split(',')\n patt = np.zeros([int(lst[0]), int(lst[1])], dtype=np.complex128)\n lines.pop(0)\n for line in lines:\n lst = line.split(',')\n n = int(lst[0])\n m = int(lst[1])\n re = float(lst[2])\n im = float(lst[3])\n patt[n, m] = re + 1.0j * im\n return sp.ScalarPatternUniform(patt, doublesphere=False)\n", "role": "user" }, { "content": "load_patt", "role": "assistant" } ]
def x(filename1, filename2): with open(filename1) as f: lines = f.readlines() lst = lines[0].split(',') patt1 = np.zeros([int(lst[0]), int(lst[1])], dtype=np.complex128) lines.pop(0) for line in lines: lst = line.split(',') n = int(lst[0]) m = int(lst[1]) re = float(lst[2]) im = float(lst[3]) patt1[n, m] = re + 1.0j * im with open(filename2) as f: lines2 = f.readlines() lst = lines2[0].split(',') patt2 = np.zeros([int(lst[0]), int(lst[1])], dtype=np.complex128) lines2.pop(0) for line in lines2: lst = line.split(',') n = int(lst[0]) m = int(lst[1]) re = float(lst[2]) im = float(lst[3]) patt2[n, m] = re + 1.0j * im return sp.VectorPatternUniform(patt1, patt2)
load_vpatt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename1, filename2):\n with open(filename1) as f:\n lines = f.readlines()\n lst = lines[0].split(',')\n patt1 = np.zeros([int(lst[0]), int(lst[1])], dtype=np.complex128)\n lines.pop(0)\n for line in lines:\n lst = line.split(',')\n n = int(lst[0])\n m = int(lst[1])\n re = float(lst[2])\n im = float(lst[3])\n patt1[n, m] = re + 1.0j * im\n with open(filename2) as f:\n lines2 = f.readlines()\n lst = lines2[0].split(',')\n patt2 = np.zeros([int(lst[0]), int(lst[1])], dtype=np.complex128)\n lines2.pop(0)\n for line in lines2:\n lst = line.split(',')\n n = int(lst[0])\n m = int(lst[1])\n re = float(lst[2])\n im = float(lst[3])\n patt2[n, m] = re + 1.0j * im\n return sp.VectorPatternUniform(patt1, patt2)\n", "role": "user" }, { "content": "load_vpatt", "role": "assistant" } ]
def x(filename): with open(filename) as f: lines = f.readlines() lst = lines[0].split(',') nmax = int(lst[0]) mmax = int(lst[1]) L = nmax + 1 + mmax * (2 * nmax - mmax + 1) vec = np.zeros(L, dtype=np.complex128) lines.pop(0) for n, line in enumerate(lines): lst = line.split(',') re = float(lst[0]) im = float(lst[1]) vec[n] = re + 1.0j * im return sp.ScalarCoefs(vec, nmax, mmax)
load_coef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n with open(filename) as f:\n lines = f.readlines()\n lst = lines[0].split(',')\n nmax = int(lst[0])\n mmax = int(lst[1])\n L = nmax + 1 + mmax * (2 * nmax - mmax + 1)\n vec = np.zeros(L, dtype=np.complex128)\n lines.pop(0)\n for n, line in enumerate(lines):\n lst = line.split(',')\n re = float(lst[0])\n im = float(lst[1])\n vec[n] = re + 1.0j * im\n return sp.ScalarCoefs(vec, nmax, mmax)\n", "role": "user" }, { "content": "load_coef", "role": "assistant" } ]