source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(query, tag): if isinstance(tag, (list, set, tuple)): tags = [t.lower() for t in tag] return orm.select(e for e in query for t in e.tags if t.key in tags) return orm.select(e for e in query for t in e.tags if t.key == tag.lower())
where_entry_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, tag):\n if isinstance(tag, (list, set, tuple)):\n tags = [t.lower() for t in tag]\n return orm.select(e for e in query for t in e.tags if t.key in tags)\n return orm.select(e for e in query for t in e.tags if t.key == tag.lower())\n", "role": "user" }, { "content": "where_entry_tag", "role": "assistant" } ]
def x(query, datespec): date, interval, _ = utils.parse_date(datespec) start_date, end_date = date.span(interval) return orm.select(e for e in query if e.local_date >= start_date.naive and e.local_date <= end_date.naive)
where_entry_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, datespec):\n date, interval, _ = utils.parse_date(datespec)\n start_date, end_date = date.span(interval)\n return orm.select(e for e in query if e.local_date >= start_date.naive and\n e.local_date <= end_date.naive)\n", "role": "user" }, { "content": "where_entry_date", "role": "assistant" } ]
def x(entry): if hasattr(entry, 'id'): return entry if isinstance(entry, (int, str)): return model.Entry.get(id=int(entry)) raise ValueError('entry is of unknown type {}'.format(type(entry)))
get_entry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(entry):\n if hasattr(entry, 'id'):\n return entry\n if isinstance(entry, (int, str)):\n return model.Entry.get(id=int(entry))\n raise ValueError('entry is of unknown type {}'.format(type(entry)))\n", "role": "user" }, { "content": "get_entry", "role": "assistant" } ]
def x(spec): query = model.Entry.select() if spec.get('_deleted', False): query = where_entry_deleted(query) elif spec.get('future', False): query = where_entry_visible_future(query) else: query = where_entry_visible(query) if spec.get('category') is not None: path = str(spec.get('category', '')) recurse = spec.get('recurse', False) query = where_entry_category(query, path, recurse) if spec.get('entry_type') is not None: query = where_entry_type(query, spec['entry_type']) if spec.get('entry_type_not') is not None: query = where_entry_type_not(query, spec['entry_type_not']) if spec.get('tag') is not None: query = where_entry_tag(query, spec['tag']) if spec.get('date') is not None: query = where_entry_date(query, spec['date']) if spec.get('last') is not None: query = where_entry_last(query, get_entry(spec['last'])) if spec.get('first') is not None: query = where_entry_first(query, get_entry(spec['first'])) if spec.get('before') is not None: query = where_before_entry(query, get_entry(spec['before'])) if spec.get('after') is not None: query = where_after_entry(query, get_entry(spec['after'])) return query.distinct()
build_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec):\n query = model.Entry.select()\n if spec.get('_deleted', False):\n query = where_entry_deleted(query)\n elif spec.get('future', False):\n query = where_entry_visible_future(query)\n else:\n query = where_entry_visible(query)\n if spec.get('category') is not None:\n path = str(spec.get('category', ''))\n recurse = spec.get('recurse', False)\n query = where_entry_category(query, path, recurse)\n if spec.get('entry_type') is not None:\n query = where_entry_type(query, spec['entry_type'])\n if spec.get('entry_type_not') is not None:\n query = where_entry_type_not(query, spec['entry_type_not'])\n if spec.get('tag') is not None:\n query = where_entry_tag(query, spec['tag'])\n if spec.get('date') is not None:\n query = where_entry_date(query, spec['date'])\n if spec.get('last') is not None:\n query = where_entry_last(query, get_entry(spec['last']))\n if spec.get('first') is not None:\n query = where_entry_first(query, get_entry(spec['first']))\n if spec.get('before') is not None:\n query = where_before_entry(query, get_entry(spec['before']))\n if spec.get('after') is not None:\n query = where_after_entry(query, get_entry(spec['after']))\n return query.distinct()\n", "role": "user" }, { "content": "build_query", "role": "assistant" } ]
def x(path): if os.path.isdir(path): warning_path_exist(path) exit(1) else: logger.info( """{Info} ==> start init your flask project [on] ==> %s """ % path)
start_init_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if os.path.isdir(path):\n warning_path_exist(path)\n exit(1)\n else:\n logger.info(\n \"\"\"\u001b[33m{Info}\u001b[0m\n ==> start init your flask project [on]\n ==> \u001b[32m%s\u001b[0m\n\"\"\"\n % path)\n", "role": "user" }, { "content": "start_init_info", "role": "assistant" } ]
def x(app_path): templates_path = os.path.join(app_path, 'templates') static_path = os.path.join(app_path, 'static') _mkdir_p(templates_path) _mkdir_p(static_path) os.chdir(static_path) img_path = os.path.join(static_path, 'img') css_path = os.path.join(static_path, 'css') js_path = os.path.join(static_path, 'js') _mkdir_p(img_path) _mkdir_p(css_path) _mkdir_p(js_path) return css_path, templates_path
create_templates_static_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_path):\n templates_path = os.path.join(app_path, 'templates')\n static_path = os.path.join(app_path, 'static')\n _mkdir_p(templates_path)\n _mkdir_p(static_path)\n os.chdir(static_path)\n img_path = os.path.join(static_path, 'img')\n css_path = os.path.join(static_path, 'css')\n js_path = os.path.join(static_path, 'js')\n _mkdir_p(img_path)\n _mkdir_p(css_path)\n _mkdir_p(js_path)\n return css_path, templates_path\n", "role": "user" }, { "content": "create_templates_static_files", "role": "assistant" } ]
def x(app_path, blueprint, views_code, forms_code, templates_path): blueprint_path = os.path.join(app_path, blueprint) _mkdir_p(blueprint_path) os.chdir(blueprint_path) init_code('__init__.py', _init_blueprint_code % (blueprint, blueprint)) init_code('views.py', views_code) init_code('forms.py', forms_code) os.chdir(templates_path) blueprint_templates_path = os.path.join(templates_path, blueprint) _mkdir_p(blueprint_templates_path) return blueprint_templates_path
create_blueprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_path, blueprint, views_code, forms_code, templates_path):\n blueprint_path = os.path.join(app_path, blueprint)\n _mkdir_p(blueprint_path)\n os.chdir(blueprint_path)\n init_code('__init__.py', _init_blueprint_code % (blueprint, blueprint))\n init_code('views.py', views_code)\n init_code('forms.py', forms_code)\n os.chdir(templates_path)\n blueprint_templates_path = os.path.join(templates_path, blueprint)\n _mkdir_p(blueprint_templates_path)\n return blueprint_templates_path\n", "role": "user" }, { "content": "create_blueprint", "role": "assistant" } ]
def x(project_name): dst_path = os.path.join(os.getcwd(), project_name) start_init_info(dst_path) _mkdir_p(dst_path) os.chdir(dst_path) init_code('manage.py', _manage_basic_code) init_code('requirement.txt', _requirement_code) app_path = os.path.join(dst_path, 'app') _mkdir_p(app_path) os.chdir(app_path) init_code('views.py', _views_basic_code) init_code('forms.py', _forms_basic_code) init_code('__init__.py', _init_basic_code) create_templates_static_files(app_path) init_done_info()
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project_name):\n dst_path = os.path.join(os.getcwd(), project_name)\n start_init_info(dst_path)\n _mkdir_p(dst_path)\n os.chdir(dst_path)\n init_code('manage.py', _manage_basic_code)\n init_code('requirement.txt', _requirement_code)\n app_path = os.path.join(dst_path, 'app')\n _mkdir_p(app_path)\n os.chdir(app_path)\n init_code('views.py', _views_basic_code)\n init_code('forms.py', _forms_basic_code)\n init_code('__init__.py', _init_basic_code)\n create_templates_static_files(app_path)\n init_done_info()\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(blueprint_name): app = os.getcwd().split('/')[-1] if app != 'app': logger.warning( """{Warning} ==> your current path is %s ==> please create your blueprint under app folder!""" % os.getcwd()) exit(1) dst_path = os.path.join(os.getcwd(), blueprint_name) if os.path.isdir(dst_path): logger.warning( """{Warning} ==> bluprint %s exist ==> please try again !""" % dst_path) exit(1) _mkdir_p(dst_path) os.chdir(dst_path) init_code('__init__.py', _init_blueprint_code % (blueprint_name, blueprint_name)) init_code('views.py', _views_blueprint_code % (blueprint_name, blueprint_name)) init_code('forms.py', _forms_basic_code) os.chdir(os.path.join(dst_path, '..')) with open('__init__.py', 'r+') as f: prev = pos = 0 while f.readline(): prev, pos = pos, f.tell() f.seek(prev) f.write( '\nfrom %s import %s\napp.register_blueprint(%s, url_prefix="/%s")\n\n' % (blueprint_name, blueprint_name, blueprint_name, blueprint_name) ) templates_path = os.path.join(os.getcwd(), 'templates') os.chdir(templates_path) blueprint_templates_path = os.path.join(templates_path, blueprint_name) _mkdir_p(blueprint_templates_path) logger.info('\x1b[33m{Info}\x1b[0m: create blueprint done!')
blueprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(blueprint_name):\n app = os.getcwd().split('/')[-1]\n if app != 'app':\n logger.warning(\n \"\"\"\u001b[31m{Warning}\u001b[0m\n==> your current path is \u001b[32m%s\u001b[0m\n\n==> please create your blueprint under app folder!\"\"\"\n % os.getcwd())\n exit(1)\n dst_path = os.path.join(os.getcwd(), blueprint_name)\n if os.path.isdir(dst_path):\n logger.warning(\n \"\"\"\u001b[31m{Warning}\u001b[0m\n==> bluprint \u001b[32m%s\u001b[0m\n exist\n==> please try again !\"\"\"\n % dst_path)\n exit(1)\n _mkdir_p(dst_path)\n os.chdir(dst_path)\n init_code('__init__.py', _init_blueprint_code % (blueprint_name,\n blueprint_name))\n init_code('views.py', _views_blueprint_code % (blueprint_name,\n blueprint_name))\n init_code('forms.py', _forms_basic_code)\n os.chdir(os.path.join(dst_path, '..'))\n with open('__init__.py', 'r+') as f:\n prev = pos = 0\n while f.readline():\n prev, pos = pos, f.tell()\n f.seek(prev)\n f.write(\n '\\nfrom %s import %s\\napp.register_blueprint(%s, url_prefix=\"/%s\")\\n\\n'\n % (blueprint_name, blueprint_name, blueprint_name, blueprint_name)\n )\n templates_path = os.path.join(os.getcwd(), 'templates')\n os.chdir(templates_path)\n blueprint_templates_path = os.path.join(templates_path, blueprint_name)\n _mkdir_p(blueprint_templates_path)\n logger.info('\\x1b[33m{Info}\\x1b[0m: create blueprint done!')\n", "role": "user" }, { "content": "blueprint", "role": "assistant" } ]
def x(project_name): dst_path = os.path.join(os.getcwd(), project_name) start_init_info(dst_path) _mkdir_p(dst_path) os.chdir(dst_path) init_code('manage.py', _manage_admin_code) init_code('requirement.txt', _requirement_admin_code) init_code('config.py', _config_sql_code) app_path = os.path.join(dst_path, 'app') _mkdir_p(app_path) os.chdir(app_path) init_code('models.py', _models_admin_code) init_code('__init__.py', _init_admin_code) css_path, templates_path = create_templates_static_files(app_path) os.chdir(css_path) init_code('sign.css', _auth_login_css_code) create_blueprint(app_path, 'main', _views_blueprint_code % ('main', 'main'), _forms_basic_code, templates_path) auth_templates_path = create_blueprint(app_path, 'auth', _auth_views_code, _auth_forms_code, templates_path) os.chdir(auth_templates_path) init_code('login.html', _auth_login_html_code) admin_path = os.path.join(app_path, 'admin') _mkdir_p(admin_path) os.chdir(admin_path) init_code('__init__.py', '') init_code('views.py', _admin_views_code) os.chdir(templates_path) admin_templates_path = os.path.join(templates_path, 'admin') _mkdir_p(admin_templates_path) os.chdir(admin_templates_path) init_code('index.html', _admin_index_html_code) init_code('logout.html', _admin_logout_html_code) init_done_info()
startproject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project_name):\n dst_path = os.path.join(os.getcwd(), project_name)\n start_init_info(dst_path)\n _mkdir_p(dst_path)\n os.chdir(dst_path)\n init_code('manage.py', _manage_admin_code)\n init_code('requirement.txt', _requirement_admin_code)\n init_code('config.py', _config_sql_code)\n app_path = os.path.join(dst_path, 'app')\n _mkdir_p(app_path)\n os.chdir(app_path)\n init_code('models.py', _models_admin_code)\n init_code('__init__.py', _init_admin_code)\n css_path, templates_path = create_templates_static_files(app_path)\n os.chdir(css_path)\n init_code('sign.css', _auth_login_css_code)\n create_blueprint(app_path, 'main', _views_blueprint_code % ('main',\n 'main'), _forms_basic_code, templates_path)\n auth_templates_path = create_blueprint(app_path, 'auth',\n _auth_views_code, _auth_forms_code, templates_path)\n os.chdir(auth_templates_path)\n init_code('login.html', _auth_login_html_code)\n admin_path = os.path.join(app_path, 'admin')\n _mkdir_p(admin_path)\n os.chdir(admin_path)\n init_code('__init__.py', '')\n init_code('views.py', _admin_views_code)\n os.chdir(templates_path)\n admin_templates_path = os.path.join(templates_path, 'admin')\n _mkdir_p(admin_templates_path)\n os.chdir(admin_templates_path)\n init_code('index.html', _admin_index_html_code)\n init_code('logout.html', _admin_logout_html_code)\n init_done_info()\n", "role": "user" }, { "content": "startproject", "role": "assistant" } ]
def x(module): app = os.getcwd().split('/')[-1] if app != 'app': logger.warning( """{Warning} ==> your current path is %s ==> please add your sql module under app folder!""" % os.getcwd()) exit(1) admin_path = os.path.join(os.getcwd(), 'admin') os.chdir(admin_path) with open('views.py', 'r+') as f: prev = pos = 0 while f.readline(): prev, pos = pos, f.tell() f.seek(prev) f.write( '\nfrom app.models import %s\nadmin.add_view(ModelView(%s, db.session))' % (module, module)) logger.info('\x1b[33m{Info}\x1b[0m: add module done!')
admin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module):\n app = os.getcwd().split('/')[-1]\n if app != 'app':\n logger.warning(\n \"\"\"\u001b[31m{Warning}\u001b[0m\n==> your current path is \u001b[32m%s\u001b[0m\n\n==> please add your sql module under app folder!\"\"\"\n % os.getcwd())\n exit(1)\n admin_path = os.path.join(os.getcwd(), 'admin')\n os.chdir(admin_path)\n with open('views.py', 'r+') as f:\n prev = pos = 0\n while f.readline():\n prev, pos = pos, f.tell()\n f.seek(prev)\n f.write(\n '\\nfrom app.models import %s\\nadmin.add_view(ModelView(%s, db.session))'\n % (module, module))\n logger.info('\\x1b[33m{Info}\\x1b[0m: add module done!')\n", "role": "user" }, { "content": "admin", "role": "assistant" } ]
def x(abspath): try: os.makedirs(abspath) except OSError as e: if e.errno == errno.EEXIST and os.path.isdir(abspath): pass else: raise
mkdir_p
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(abspath):\n try:\n os.makedirs(abspath)\n except OSError as e:\n if e.errno == errno.EEXIST and os.path.isdir(abspath):\n pass\n else:\n raise\n", "role": "user" }, { "content": "mkdir_p", "role": "assistant" } ]
def x(error_type: str) ->None: try: error = next(v for k, v in ERROR_CODES.items() if k in error_type) except StopIteration: error = AirVisualError raise error(error_type)
raise_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(error_type: str) ->None:\n try:\n error = next(v for k, v in ERROR_CODES.items() if k in error_type)\n except StopIteration:\n error = AirVisualError\n raise error(error_type)\n", "role": "user" }, { "content": "raise_error", "role": "assistant" } ]
def x(data: Union[str, dict]) ->None: if isinstance(data, str): raise_error(data) elif 'status' in data and data['status'] != 'success': raise_error(data['data']['message'])
raise_on_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data: Union[str, dict]) ->None:\n if isinstance(data, str):\n raise_error(data)\n elif 'status' in data and data['status'] != 'success':\n raise_error(data['data']['message'])\n", "role": "user" }, { "content": "raise_on_error", "role": "assistant" } ]
async def request(self, method: str, endpoint: str, *, base_url: str= API_URL_SCAFFOLD, headers: dict=None, params: dict=None, json: dict=None ) ->dict: """Make a request against AirVisual.""" if not headers: headers = {} headers.update({'Content-Type': 'application/json'}) if not params: params = {} if self._api_key: params.update({'key': self._api_key}) url = '{0}/{1}'.format(base_url, endpoint) async with self.websession.request(method, url, headers=headers, params =params, json=json) as resp: data = await resp.json(content_type=None) _raise_on_error(data) return data
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def request(self, method: str, endpoint: str, *, base_url: str=\n API_URL_SCAFFOLD, headers: dict=None, params: dict=None, json: dict=None\n ) ->dict:\n \"\"\"Make a request against AirVisual.\"\"\"\n if not headers:\n headers = {}\n headers.update({'Content-Type': 'application/json'})\n if not params:\n params = {}\n if self._api_key:\n params.update({'key': self._api_key})\n url = '{0}/{1}'.format(base_url, endpoint)\n async with self.websession.request(method, url, headers=headers, params\n =params, json=json) as resp:\n data = await resp.json(content_type=None)\n _raise_on_error(data)\n return data\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
async def main() ->None: """Create the aiohttp session and run the example.""" logging.basicConfig(level=logging.INFO) async with ClientSession() as websession: client = Client(websession, api_key='<API KEY>') try: _LOGGER.info(await client.supported.countries()) _LOGGER.info(await client.supported.states('USA')) _LOGGER.info(await client.supported.cities('USA', 'Colorado')) except AirVisualError as err: _LOGGER.error('There was an error: %s', err) try: _LOGGER.info(await client.supported.stations('USA', 'Colorado', 'Denver')) except UnauthorizedError as err: _LOGGER.error(err) except AirVisualError as err: _LOGGER.error('There was an error: %s', err) try: _LOGGER.info(await client.api.nearest_city()) except AirVisualError as err: _LOGGER.error('There was an error: %s', err) try: _LOGGER.info(await client.api.nearest_city(latitude=39.742599, longitude=-104.9942557)) _LOGGER.info(await client.api.city(city='Los Angeles', state= 'California', country='USA')) except AirVisualError as err: _LOGGER.error('There was an error: %s', err) try: _LOGGER.info(await client.api.nearest_station()) except UnauthorizedError as err: _LOGGER.error(err) except AirVisualError as err: _LOGGER.error('There was an error: %s', err) try: _LOGGER.info(await client.api.nearest_station(latitude= 39.742599, longitude=-104.9942557)) _LOGGER.info(await client.api.station(station= 'US Embassy in Beijing', city='Beijing', state='Beijing', country='China')) except UnauthorizedError as err: _LOGGER.error(err) except AirVisualError as err: _LOGGER.error('There was an error: %s', err) try: _LOGGER.info(await client.api.ranking()) except UnauthorizedError as err: _LOGGER.error(err) except AirVisualError as err: _LOGGER.error('There was an error: %s', err) _LOGGER.info(await client.api.node('zEp8CifbnasWtToBc'))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def main() ->None:\n \"\"\"Create the aiohttp session and run the example.\"\"\"\n logging.basicConfig(level=logging.INFO)\n async with ClientSession() as websession:\n client = Client(websession, api_key='<API KEY>')\n try:\n _LOGGER.info(await client.supported.countries())\n _LOGGER.info(await client.supported.states('USA'))\n _LOGGER.info(await client.supported.cities('USA', 'Colorado'))\n except AirVisualError as err:\n _LOGGER.error('There was an error: %s', err)\n try:\n _LOGGER.info(await client.supported.stations('USA', 'Colorado',\n 'Denver'))\n except UnauthorizedError as err:\n _LOGGER.error(err)\n except AirVisualError as err:\n _LOGGER.error('There was an error: %s', err)\n try:\n _LOGGER.info(await client.api.nearest_city())\n except AirVisualError as err:\n _LOGGER.error('There was an error: %s', err)\n try:\n _LOGGER.info(await client.api.nearest_city(latitude=39.742599,\n longitude=-104.9942557))\n _LOGGER.info(await client.api.city(city='Los Angeles', state=\n 'California', country='USA'))\n except AirVisualError as err:\n _LOGGER.error('There was an error: %s', err)\n try:\n _LOGGER.info(await client.api.nearest_station())\n except UnauthorizedError as err:\n _LOGGER.error(err)\n except AirVisualError as err:\n _LOGGER.error('There was an error: %s', err)\n try:\n _LOGGER.info(await client.api.nearest_station(latitude=\n 39.742599, longitude=-104.9942557))\n _LOGGER.info(await client.api.station(station=\n 'US Embassy in Beijing', city='Beijing', state='Beijing',\n country='China'))\n except UnauthorizedError as err:\n _LOGGER.error(err)\n except AirVisualError as err:\n _LOGGER.error('There was an error: %s', err)\n try:\n _LOGGER.info(await client.api.ranking())\n except UnauthorizedError as err:\n _LOGGER.error(err)\n except AirVisualError as err:\n _LOGGER.error('There was an error: %s', err)\n _LOGGER.info(await client.api.node('zEp8CifbnasWtToBc'))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
async def _nearest(self, kind: str, latitude: Union[float, str]=None, longitude: Union[float, str]=None) ->dict: """Return data from nearest city/station (IP or coordinates).""" params = {} if latitude and longitude: params.update({'lat': str(latitude), 'lon': str(longitude)}) data = await self._request('get', 'nearest_{0}'.format(kind), params=params ) return data['data']
nearest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _nearest(self, kind: str, latitude: Union[float, str]=None,\n longitude: Union[float, str]=None) ->dict:\n \"\"\"Return data from nearest city/station (IP or coordinates).\"\"\"\n params = {}\n if latitude and longitude:\n params.update({'lat': str(latitude), 'lon': str(longitude)})\n data = await self._request('get', 'nearest_{0}'.format(kind), params=params\n )\n return data['data']\n", "role": "user" }, { "content": "nearest", "role": "assistant" } ]
async def city(self, city: str, state: str, country: str) ->dict: """Return data for the specified city.""" data = await self._request('get', 'city', params={'city': city, 'state': state, 'country': country}) return data['data']
city
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def city(self, city: str, state: str, country: str) ->dict:\n \"\"\"Return data for the specified city.\"\"\"\n data = await self._request('get', 'city', params={'city': city, 'state':\n state, 'country': country})\n return data['data']\n", "role": "user" }, { "content": "city", "role": "assistant" } ]
async def nearest_city(self, latitude: Union[float, str]=None, longitude: Union[float, str]=None) ->dict: """Return data from nearest city (IP or coordinates).""" return await self._nearest('city', latitude, longitude)
nearest_city
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def nearest_city(self, latitude: Union[float, str]=None, longitude:\n Union[float, str]=None) ->dict:\n \"\"\"Return data from nearest city (IP or coordinates).\"\"\"\n return await self._nearest('city', latitude, longitude)\n", "role": "user" }, { "content": "nearest_city", "role": "assistant" } ]
async def node(self, node_id: str) ->dict: """Return data from a node by its ID.""" return await self._request('get', node_id, base_url=NODE_URL_SCAFFOLD)
node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def node(self, node_id: str) ->dict:\n \"\"\"Return data from a node by its ID.\"\"\"\n return await self._request('get', node_id, base_url=NODE_URL_SCAFFOLD)\n", "role": "user" }, { "content": "node", "role": "assistant" } ]
async def cities(self, country: str, state: str) ->list: """Return a list of supported cities in a country/state.""" data = await self._request('get', 'cities', params={'state': state, 'country': country}) return [d['city'] for d in data['data']]
cities
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def cities(self, country: str, state: str) ->list:\n \"\"\"Return a list of supported cities in a country/state.\"\"\"\n data = await self._request('get', 'cities', params={'state': state,\n 'country': country})\n return [d['city'] for d in data['data']]\n", "role": "user" }, { "content": "cities", "role": "assistant" } ]
async def states(self, country: str) ->list: """Return a list of supported states in a country.""" data = await self._request('get', 'states', params={'country': country}) return [d['state'] for d in data['data']]
states
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def states(self, country: str) ->list:\n \"\"\"Return a list of supported states in a country.\"\"\"\n data = await self._request('get', 'states', params={'country': country})\n return [d['state'] for d in data['data']]\n", "role": "user" }, { "content": "states", "role": "assistant" } ]
async def stations(self, city: str, state: str, country: str) ->list: """Return a list of supported stations in a city.""" data = await self._request('get', 'stations', params={'city': city, 'state': state, 'country': country}) return [station for station in data['data']]
stations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def stations(self, city: str, state: str, country: str) ->list:\n \"\"\"Return a list of supported stations in a city.\"\"\"\n data = await self._request('get', 'stations', params={'city': city,\n 'state': state, 'country': country})\n return [station for station in data['data']]\n", "role": "user" }, { "content": "stations", "role": "assistant" } ]
def x(tokens): get_len = tools.display_len if PY3 else len lens = sorted(map(get_len, tokens or [])) or [0] width = lens[-1] if width >= 18: most = lens[int(len(lens) * 0.9)] if most < width + 6: return most return width
column_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tokens):\n get_len = tools.display_len if PY3 else len\n lens = sorted(map(get_len, tokens or [])) or [0]\n width = lens[-1]\n if width >= 18:\n most = lens[int(len(lens) * 0.9)]\n if most < width + 6:\n return most\n return width\n", "role": "user" }, { "content": "column_width", "role": "assistant" } ]
def x(tok, col_width): get_len = tools.display_len if PY3 else len tok_len = get_len(tok) diff_len = tok_len - len(tok) if PY3 else 0 cols = int(math.ceil(float(tok_len) / col_width) ) if col_width < tok_len + 4 else 1 if cols > 1: return tok.ljust(col_width * cols + 4 * cols - diff_len) else: return tok.ljust(col_width + 4 - diff_len)
justify_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tok, col_width):\n get_len = tools.display_len if PY3 else len\n tok_len = get_len(tok)\n diff_len = tok_len - len(tok) if PY3 else 0\n cols = int(math.ceil(float(tok_len) / col_width)\n ) if col_width < tok_len + 4 else 1\n if cols > 1:\n return tok.ljust(col_width * cols + 4 * cols - diff_len)\n else:\n return tok.ljust(col_width + 4 - diff_len)\n", "role": "user" }, { "content": "justify_token", "role": "assistant" } ]
def x(name, obj, local): prefix = '' if local else '.' if isinstance(obj, SeeError): suffix = '?' elif hasattr(obj, '__call__'): suffix = '()' else: suffix = '' return ''.join((prefix, name, suffix))
display_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, obj, local):\n prefix = '' if local else '.'\n if isinstance(obj, SeeError):\n suffix = '?'\n elif hasattr(obj, '__call__'):\n suffix = '()'\n else:\n suffix = ''\n return ''.join((prefix, name, suffix))\n", "role": "user" }, { "content": "display_name", "role": "assistant" } ]
def x(self, pattern): if isinstance(pattern, REGEX_TYPE): func = tools.filter_regex elif pattern.startswith('/'): pattern = re.compile(pattern.strip('/')) func = tools.filter_regex else: func = tools.filter_wildcard return SeeResult(func(self, pattern))
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n if isinstance(pattern, REGEX_TYPE):\n func = tools.filter_regex\n elif pattern.startswith('/'):\n pattern = re.compile(pattern.strip('/'))\n func = tools.filter_regex\n else:\n func = tools.filter_wildcard\n return SeeResult(func(self, pattern))\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(self, pattern): return self.filter(re.compile(pattern, re.I))
filter_ignoring_case
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n return self.filter(re.compile(pattern, re.I))\n", "role": "user" }, { "content": "filter_ignoring_case", "role": "assistant" } ]
def x(): if fcntl and termios: try: winsize = fcntl.ioctl(0, termios.TIOCGWINSZ, ' ') _, width = struct.unpack('hh', winsize) return width except IOError: pass elif windll and create_string_buffer: stderr_handle, struct_size = -12, 22 handle = windll.kernel32.GetStdHandle(stderr_handle) csbi = create_string_buffer(struct_size) res = windll.kernel32.GetConsoleScreenBufferInfo(handle, csbi) if res: _, _, _, _, _, left, _, right, _, _, _ = struct.unpack( 'hhhhHhhhhhh', csbi.raw) return right - left + 1 else: return 0
term_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if fcntl and termios:\n try:\n winsize = fcntl.ioctl(0, termios.TIOCGWINSZ, ' ')\n _, width = struct.unpack('hh', winsize)\n return width\n except IOError:\n pass\n elif windll and create_string_buffer:\n stderr_handle, struct_size = -12, 22\n handle = windll.kernel32.GetStdHandle(stderr_handle)\n csbi = create_string_buffer(struct_size)\n res = windll.kernel32.GetConsoleScreenBufferInfo(handle, csbi)\n if res:\n _, _, _, _, _, left, _, right, _, _, _ = struct.unpack(\n 'hhhhHhhhhhh', csbi.raw)\n return right - left + 1\n else:\n return 0\n", "role": "user" }, { "content": "term_width", "role": "assistant" } ]
def x(default_width=DEFAULT_LINE_WIDTH, max_width=MAX_LINE_WIDTH): width = term_width() if width: return min(width, max_width) else: return default_width
line_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(default_width=DEFAULT_LINE_WIDTH, max_width=MAX_LINE_WIDTH):\n width = term_width()\n if width:\n return min(width, max_width)\n else:\n return default_width\n", "role": "user" }, { "content": "line_width", "role": "assistant" } ]
def x(self, obj): if getattr(obj, '_PERSIST_REFERENCES', None): objid = id(obj) obj._persistent_ref = objid _weakmemos[objid] = obj return None
persistent_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if getattr(obj, '_PERSIST_REFERENCES', None):\n objid = id(obj)\n obj._persistent_ref = objid\n _weakmemos[objid] = obj\n return None\n", "role": "user" }, { "content": "persistent_id", "role": "assistant" } ]
def x(tokens, args, kwargs): num_args = len(args) pattern = args[0] if num_args else kwargs.get('pattern', None) regex = args[1] if num_args > 1 else kwargs.get('r', None) if pattern is not None: tokens = tools.filter_wildcard(tokens, pattern) sys.stderr.write( """Please use see().match() now. The "pattern" argument is deprecated and will be removed in a later release. """ ) if regex is not None: tokens = tools.filter_regex(tokens, re.compile(regex)) sys.stderr.write( """Please use see().match() now. The "r" argument is deprecated and will be removed in a later release. """ ) return tokens
handle_deprecated_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tokens, args, kwargs):\n num_args = len(args)\n pattern = args[0] if num_args else kwargs.get('pattern', None)\n regex = args[1] if num_args > 1 else kwargs.get('r', None)\n if pattern is not None:\n tokens = tools.filter_wildcard(tokens, pattern)\n sys.stderr.write(\n \"\"\"Please use see().match() now. The \"pattern\" argument is deprecated and will be removed in a later release. \n\"\"\"\n )\n if regex is not None:\n tokens = tools.filter_regex(tokens, re.compile(regex))\n sys.stderr.write(\n \"\"\"Please use see().match() now. The \"r\" argument is deprecated and will be removed in a later release. \n\"\"\"\n )\n return tokens\n", "role": "user" }, { "content": "handle_deprecated_args", "role": "assistant" } ]
def x(obj=DEFAULT_ARG, *args, **kwargs): use_locals = obj is DEFAULT_ARG if use_locals: obj = Namespace(inspect.currentframe().f_back.f_locals) tokens = [] attrs = dir(obj) if not use_locals: for name, func in INSPECT_FUNCS: if func(obj): tokens.append(name) for feature in FEATURES: if feature.match(obj, attrs): tokens.append(feature.symbol) for attr in filter(lambda a: not a.startswith('_'), attrs): try: prop = getattr(obj, attr) except (AttributeError, Exception): prop = SeeError() action = output.display_name(name=attr, obj=prop, local=use_locals) tokens.append(action) if args or kwargs: tokens = handle_deprecated_args(tokens, args, kwargs) return output.SeeResult(tokens)
see
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj=DEFAULT_ARG, *args, **kwargs):\n use_locals = obj is DEFAULT_ARG\n if use_locals:\n obj = Namespace(inspect.currentframe().f_back.f_locals)\n tokens = []\n attrs = dir(obj)\n if not use_locals:\n for name, func in INSPECT_FUNCS:\n if func(obj):\n tokens.append(name)\n for feature in FEATURES:\n if feature.match(obj, attrs):\n tokens.append(feature.symbol)\n for attr in filter(lambda a: not a.startswith('_'), attrs):\n try:\n prop = getattr(obj, attr)\n except (AttributeError, Exception):\n prop = SeeError()\n action = output.display_name(name=attr, obj=prop, local=use_locals)\n tokens.append(action)\n if args or kwargs:\n tokens = handle_deprecated_args(tokens, args, kwargs)\n return output.SeeResult(tokens)\n", "role": "user" }, { "content": "see", "role": "assistant" } ]
def x(self, mode='r', encoding=None): access_type = self._get_access_type(mode) return open(self.localpath, 'r' + access_type, encoding=encoding)
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode='r', encoding=None):\n access_type = self._get_access_type(mode)\n return open(self.localpath, 'r' + access_type, encoding=encoding)\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, **kwargs): self.tmpfile = get_tempfile(**kwargs) path = self.tmpfile.name return path
open_tmpfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n self.tmpfile = get_tempfile(**kwargs)\n path = self.tmpfile.name\n return path\n", "role": "user" }, { "content": "open_tmpfile", "role": "assistant" } ]
def x(self, mode='r', encoding=None): access_type = self._get_access_type(mode) if encoding is None: encoding = self.encoding if access_type == 'b': if not self._isbytes: content = self._contents.encode(encoding) else: content = self._contents return io.BytesIO(content) else: assert access_type == 't' if PYVERSION == 2 and self._isbytes: return io.BytesIO(self._contents) elif self._isbytes: content = self._contents.decode(encoding) else: content = self._contents return io.StringIO(content)
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode='r', encoding=None):\n access_type = self._get_access_type(mode)\n if encoding is None:\n encoding = self.encoding\n if access_type == 'b':\n if not self._isbytes:\n content = self._contents.encode(encoding)\n else:\n content = self._contents\n return io.BytesIO(content)\n else:\n assert access_type == 't'\n if PYVERSION == 2 and self._isbytes:\n return io.BytesIO(self._contents)\n elif self._isbytes:\n content = self._contents.decode(encoding)\n else:\n content = self._contents\n return io.StringIO(content)\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, filename, encoding=None): from . import LocalFile if os.path.isdir(filename) and self.source is None: raise ValueError( 'Cannot write this object to directory %s without an explicit filename.' % filename) target = get_target_path(filename, self.source) if encoding is None: encoding = self.encoding if self._isbytes: kwargs = {'mode': 'wb'} else: kwargs = {'mode': 'w', 'encoding': encoding} with open(target, **kwargs) as outfile: outfile.write(self._contents) return LocalFile(target, encoded_with=encoding)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, encoding=None):\n from . import LocalFile\n if os.path.isdir(filename) and self.source is None:\n raise ValueError(\n 'Cannot write this object to directory %s without an explicit filename.'\n % filename)\n target = get_target_path(filename, self.source)\n if encoding is None:\n encoding = self.encoding\n if self._isbytes:\n kwargs = {'mode': 'wb'}\n else:\n kwargs = {'mode': 'w', 'encoding': encoding}\n with open(target, **kwargs) as outfile:\n outfile.write(self._contents)\n return LocalFile(target, encoded_with=encoding)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(func): closure = getclosurevars(func) if closure['nonlocal']: raise TypeError("Can't launch a job with closure variables: %s" % closure['nonlocals'].keys()) globalvars = dict(modules={}, functions={}, vars={}) for name, value in closure['global'].items(): if inspect.ismodule(value): globalvars['modules'][name] = value.__name__ elif inspect.isfunction(value) or inspect.ismethod(value): globalvars['functions'][name] = value else: globalvars['vars'][name] = value return globalvars
get_global_vars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n closure = getclosurevars(func)\n if closure['nonlocal']:\n raise TypeError(\"Can't launch a job with closure variables: %s\" %\n closure['nonlocals'].keys())\n globalvars = dict(modules={}, functions={}, vars={})\n for name, value in closure['global'].items():\n if inspect.ismodule(value):\n globalvars['modules'][name] = value.__name__\n elif inspect.isfunction(value) or inspect.ismethod(value):\n globalvars['functions'][name] = value\n else:\n globalvars['vars'][name] = value\n return globalvars\n", "role": "user" }, { "content": "get_global_vars", "role": "assistant" } ]
def x(classorfunc): if _isbuiltin(classorfunc): return '' try: source = inspect.getsource(classorfunc) except TypeError: source = getsourcefallback(classorfunc) declaration = [] lines = source.splitlines() if PY2 and not isinstance(source, unicode): encoding = detect_encoding(iter(lines).next)[0] sourcelines = (s.decode(encoding) for s in lines) else: sourcelines = iter(lines) found_keyword = False for line in sourcelines: words = line.split() if not words: continue if words[0] in ('def', 'class'): found_keyword = True if found_keyword: cind = line.find(':') if cind > 0: declaration.append(line[:cind + 1]) after_decl = line[cind + 1:].strip() break else: declaration.append(line) bodylines = list(sourcelines) if type(classorfunc) == type: cls = classorfunc base_imports = {} for base in cls.__bases__: if base.__name__ == 'object' and base.__module__ == 'builtins': continue if base in base_imports: continue if base.__module__ == '__main__': continue base_imports[base] = 'from %s import %s' % (base.__module__, base.__name__) cind = declaration[0].index('class ') declstring = declaration[0][:cind] + 'class %s(%s):%s' % (cls. __name__, ','.join([base.__name__ for base in cls.__bases__]), after_decl) declaration = [impstring for c, impstring in base_imports.items() if c.__module__ != '__builtin__'] declaration.append(declstring) else: declaration[-1] += after_decl return '\n'.join(declaration + bodylines)
getsource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(classorfunc):\n if _isbuiltin(classorfunc):\n return ''\n try:\n source = inspect.getsource(classorfunc)\n except TypeError:\n source = getsourcefallback(classorfunc)\n declaration = []\n lines = source.splitlines()\n if PY2 and not isinstance(source, unicode):\n encoding = detect_encoding(iter(lines).next)[0]\n sourcelines = (s.decode(encoding) for s in lines)\n else:\n sourcelines = iter(lines)\n found_keyword = False\n for line in sourcelines:\n words = line.split()\n if not words:\n continue\n if words[0] in ('def', 'class'):\n found_keyword = True\n if found_keyword:\n cind = line.find(':')\n if cind > 0:\n declaration.append(line[:cind + 1])\n after_decl = line[cind + 1:].strip()\n break\n else:\n declaration.append(line)\n bodylines = list(sourcelines)\n if type(classorfunc) == type:\n cls = classorfunc\n base_imports = {}\n for base in cls.__bases__:\n if base.__name__ == 'object' and base.__module__ == 'builtins':\n continue\n if base in base_imports:\n continue\n if base.__module__ == '__main__':\n continue\n base_imports[base] = 'from %s import %s' % (base.__module__,\n base.__name__)\n cind = declaration[0].index('class ')\n declstring = declaration[0][:cind] + 'class %s(%s):%s' % (cls.\n __name__, ','.join([base.__name__ for base in cls.__bases__]),\n after_decl)\n declaration = [impstring for c, impstring in base_imports.items() if\n c.__module__ != '__builtin__']\n declaration.append(declstring)\n else:\n declaration[-1] += after_decl\n return '\\n'.join(declaration + bodylines)\n", "role": "user" }, { "content": "getsource", "role": "assistant" } ]
def x(cls): for attr in cls.__dict__: if inspect.ismethod(getattr(cls, attr)): imethod = getattr(cls, attr) break else: raise AttributeError( "Cannot get this class' source; it does not appear to have any methods" ) module = inspect.getmodule(cls) file = inspect.getfile(imethod) lines = linecache.getlines(file, module.__dict__) name = cls.__name__ pat = re.compile('^(\\s*)class\\s*' + name + '\\b') candidates = [] toplevel = False for i in range(len(lines)): match = pat.match(lines[i]) if match: if lines[i][0] == 'c': flines, flnum = lines, i toplevel = True break candidates.append((match.group(1), i)) if candidates and not toplevel: candidates.sort() flines, flnum = lines, candidates[0][1] elif not candidates and not toplevel: raise IOError('could not find class definition') glines = inspect.getblock(flines[flnum:]) if False: return ''.join(glines).decode(encoding) else: return ''.join(glines)
getsourcefallback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n for attr in cls.__dict__:\n if inspect.ismethod(getattr(cls, attr)):\n imethod = getattr(cls, attr)\n break\n else:\n raise AttributeError(\n \"Cannot get this class' source; it does not appear to have any methods\"\n )\n module = inspect.getmodule(cls)\n file = inspect.getfile(imethod)\n lines = linecache.getlines(file, module.__dict__)\n name = cls.__name__\n pat = re.compile('^(\\\\s*)class\\\\s*' + name + '\\\\b')\n candidates = []\n toplevel = False\n for i in range(len(lines)):\n match = pat.match(lines[i])\n if match:\n if lines[i][0] == 'c':\n flines, flnum = lines, i\n toplevel = True\n break\n candidates.append((match.group(1), i))\n if candidates and not toplevel:\n candidates.sort()\n flines, flnum = lines, candidates[0][1]\n elif not candidates and not toplevel:\n raise IOError('could not find class definition')\n glines = inspect.getblock(flines[flnum:])\n if False:\n return ''.join(glines).decode(encoding)\n else:\n return ''.join(glines)\n", "role": "user" }, { "content": "getsourcefallback", "role": "assistant" } ]
def x(self, jobid): import shlex from pyccc.job import Job job = Job(engine=self) job.jobid = job.rundata.containerid = jobid try: jobdata = self.client.inspect_container(job.jobid) except docker.errors.NotFound: raise exceptions.JobNotFound( 'The daemon could not find containter "%s"' % job.jobid) cmd = jobdata['Config']['Cmd'] entrypoint = jobdata['Config']['Entrypoint'] if len(cmd) == 3 and cmd[0:2] == ['sh', '-c']: cmd = cmd[2] elif entrypoint is not None: cmd = entrypoint + cmd if isinstance(cmd, list): cmd = ' '.join(shlex.quote(x) for x in cmd) job.command = cmd job.env = jobdata['Config']['Env'] job.workingdir = jobdata['Config']['WorkingDir'] job.rundata.container = jobdata return job
get_job
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, jobid):\n import shlex\n from pyccc.job import Job\n job = Job(engine=self)\n job.jobid = job.rundata.containerid = jobid\n try:\n jobdata = self.client.inspect_container(job.jobid)\n except docker.errors.NotFound:\n raise exceptions.JobNotFound(\n 'The daemon could not find containter \"%s\"' % job.jobid)\n cmd = jobdata['Config']['Cmd']\n entrypoint = jobdata['Config']['Entrypoint']\n if len(cmd) == 3 and cmd[0:2] == ['sh', '-c']:\n cmd = cmd[2]\n elif entrypoint is not None:\n cmd = entrypoint + cmd\n if isinstance(cmd, list):\n cmd = ' '.join(shlex.quote(x) for x in cmd)\n job.command = cmd\n job.env = jobdata['Config']['Env']\n job.workingdir = jobdata['Config']['WorkingDir']\n job.rundata.container = jobdata\n return job\n", "role": "user" }, { "content": "get_job", "role": "assistant" } ]
def x(self, job): self._check_job(job) if job.workingdir is None: job.workingdir = self.default_wdir job.imageid = du.create_provisioned_image(self.client, job.image, job. workingdir, job.inputs) container_args = self._generate_container_args(job) job.rundata.container = self.client.create_container(job.imageid, ** container_args) self.client.start(job.rundata.container) job.rundata.containerid = job.rundata.container['Id'] job.jobid = job.rundata.containerid
submit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job):\n self._check_job(job)\n if job.workingdir is None:\n job.workingdir = self.default_wdir\n job.imageid = du.create_provisioned_image(self.client, job.image, job.\n workingdir, job.inputs)\n container_args = self._generate_container_args(job)\n job.rundata.container = self.client.create_container(job.imageid, **\n container_args)\n self.client.start(job.rundata.container)\n job.rundata.containerid = job.rundata.container['Id']\n job.jobid = job.rundata.containerid\n", "role": "user" }, { "content": "submit", "role": "assistant" } ]
def x(self, job, target, abspaths=None): import os import shutil from pathlib import Path root = Path(native_str(target)) true_outputs = job.get_output() if abspaths or len(true_outputs) < self.BULK_OUTPUT_FILE_THRESHOLD: return super().dump_all_outputs(job, root, abspaths) stagingdir = root / Path(native_str(job.workingdir)).name workdir = job.get_directory(job.workingdir) if not root.is_dir(): root.mkdir(parents=False) if stagingdir.exists(): if PY2: raise IOError('Path % exists' % stagingdir) else: raise FileExistsError(stagingdir) workdir.put(str(root)) assert stagingdir.is_dir() assert root in stagingdir.parents for pathstr in true_outputs: if os.path.isabs(pathstr): continue destpath = root / pathstr currpath = stagingdir / pathstr if not destpath.parent.is_dir(): destpath.parent.mkdir(parents=True) currpath.rename(destpath) shutil.rmtree(str(stagingdir))
dump_all_outputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job, target, abspaths=None):\n import os\n import shutil\n from pathlib import Path\n root = Path(native_str(target))\n true_outputs = job.get_output()\n if abspaths or len(true_outputs) < self.BULK_OUTPUT_FILE_THRESHOLD:\n return super().dump_all_outputs(job, root, abspaths)\n stagingdir = root / Path(native_str(job.workingdir)).name\n workdir = job.get_directory(job.workingdir)\n if not root.is_dir():\n root.mkdir(parents=False)\n if stagingdir.exists():\n if PY2:\n raise IOError('Path % exists' % stagingdir)\n else:\n raise FileExistsError(stagingdir)\n workdir.put(str(root))\n assert stagingdir.is_dir()\n assert root in stagingdir.parents\n for pathstr in true_outputs:\n if os.path.isabs(pathstr):\n continue\n destpath = root / pathstr\n currpath = stagingdir / pathstr\n if not destpath.parent.is_dir():\n destpath.parent.mkdir(parents=True)\n currpath.rename(destpath)\n shutil.rmtree(str(stagingdir))\n", "role": "user" }, { "content": "dump_all_outputs", "role": "assistant" } ]
def x(self, *args): self.download_button.on_click(self.handle_download_click, remove=True) self.download_button.description = 'Downloading ...' self._string = self._fileobj.read() self.render_string()
handle_download_click
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n self.download_button.on_click(self.handle_download_click, remove=True)\n self.download_button.description = 'Downloading ...'\n self._string = self._fileobj.read()\n self.render_string()\n", "role": "user" }, { "content": "handle_download_click", "role": "assistant" } ]
def x(image, inputs, wdir): assert os.path.isabs(wdir) dockerlines = ['FROM %s' % image, 'RUN mkdir -p %s' % wdir] build_context = {} if inputs: dockerlines.append('COPY root /') for ifile, (path, obj) in enumerate(inputs.items()): if not os.path.isabs(path): path = os.path.join(wdir, path) assert path[0] == '/' build_context['root' + path] = obj dockerstring = '\n'.join(dockerlines) build_context['Dockerfile'] = pyccc.BytesContainer(dockerstring.encode( 'utf-8')) return build_context
create_build_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(image, inputs, wdir):\n assert os.path.isabs(wdir)\n dockerlines = ['FROM %s' % image, 'RUN mkdir -p %s' % wdir]\n build_context = {}\n if inputs:\n dockerlines.append('COPY root /')\n for ifile, (path, obj) in enumerate(inputs.items()):\n if not os.path.isabs(path):\n path = os.path.join(wdir, path)\n assert path[0] == '/'\n build_context['root' + path] = obj\n dockerstring = '\\n'.join(dockerlines)\n build_context['Dockerfile'] = pyccc.BytesContainer(dockerstring.encode(\n 'utf-8'))\n return build_context\n", "role": "user" }, { "content": "create_build_context", "role": "assistant" } ]
def x(build_context, buffer): tf = tarfile.TarFile(fileobj=buffer, mode='w') for context_path, fileobj in build_context.items(): if getattr(fileobj, 'localpath', None) is not None: tf.add(fileobj.localpath, arcname=context_path) else: tar_add_bytes(tf, context_path, fileobj.read('rb')) tf.close()
make_tar_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(build_context, buffer):\n tf = tarfile.TarFile(fileobj=buffer, mode='w')\n for context_path, fileobj in build_context.items():\n if getattr(fileobj, 'localpath', None) is not None:\n tf.add(fileobj.localpath, arcname=context_path)\n else:\n tar_add_bytes(tf, context_path, fileobj.read('rb'))\n tf.close()\n", "role": "user" }, { "content": "make_tar_stream", "role": "assistant" } ]
def x(tf, filename, bytestring): if not isinstance(bytestring, bytes): bytestring = bytestring.encode('ascii') buff = io.BytesIO(bytestring) tarinfo = tarfile.TarInfo(filename) tarinfo.size = len(bytestring) tf.addfile(tarinfo, buff)
tar_add_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tf, filename, bytestring):\n if not isinstance(bytestring, bytes):\n bytestring = bytestring.encode('ascii')\n buff = io.BytesIO(bytestring)\n tarinfo = tarfile.TarInfo(filename)\n tarinfo.size = len(bytestring)\n tf.addfile(tarinfo, buff)\n", "role": "user" }, { "content": "tar_add_bytes", "role": "assistant" } ]
def x(client, assert_hostname=False): from docker import tls if client.base_url in ('http+docker://localunixsocket', 'http+docker://localhost'): return {'base_url': 'unix://var/run/docker.sock'} params = {'base_url': client.base_url} if client.cert: params['tls'] = tls.TLSConfig(client_cert=client.cert, ca_cert= client.verify, verify=bool(client.verify), assert_hostname= assert_hostname) return params
kwargs_from_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, assert_hostname=False):\n from docker import tls\n if client.base_url in ('http+docker://localunixsocket',\n 'http+docker://localhost'):\n return {'base_url': 'unix://var/run/docker.sock'}\n params = {'base_url': client.base_url}\n if client.cert:\n params['tls'] = tls.TLSConfig(client_cert=client.cert, ca_cert=\n client.verify, verify=bool(client.verify), assert_hostname=\n assert_hostname)\n return params\n", "role": "user" }, { "content": "kwargs_from_client", "role": "assistant" } ]
def x(self, module, name): import pickle modname = self.RENAMETABLE.get(module, module) try: klass = pickle.Unpickler.find_class(self, modname, name) except (ImportError, RuntimeError): definition = getattr(source, name) newmod = _makemod(modname) sys.modules[modname] = newmod setattr(newmod, name, definition) klass = pickle.Unpickler.find_class(self, newmod.__name__, name) klass.__module__ = module return klass
find_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, module, name):\n import pickle\n modname = self.RENAMETABLE.get(module, module)\n try:\n klass = pickle.Unpickler.find_class(self, modname, name)\n except (ImportError, RuntimeError):\n definition = getattr(source, name)\n newmod = _makemod(modname)\n sys.modules[modname] = newmod\n setattr(newmod, name, definition)\n klass = pickle.Unpickler.find_class(self, newmod.__name__, name)\n klass.__module__ = module\n return klass\n", "role": "user" }, { "content": "find_class", "role": "assistant" } ]
def x(): remote_file = wget(RAW_GIST) proc = subprocess.Popen(('diff - %s' % MY_PATH).split(), stdin= subprocess.PIPE, stdout=subprocess.PIPE) stdout, stderr = proc.communicate(remote_file) return stdout
gist_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n remote_file = wget(RAW_GIST)\n proc = subprocess.Popen(('diff - %s' % MY_PATH).split(), stdin=\n subprocess.PIPE, stdout=subprocess.PIPE)\n stdout, stderr = proc.communicate(remote_file)\n return stdout\n", "role": "user" }, { "content": "gist_diff", "role": "assistant" } ]
def x(url): import urllib.parse request = urllib.request.urlopen(url) filestring = request.read() return filestring
wget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n import urllib.parse\n request = urllib.request.urlopen(url)\n filestring = request.read()\n return filestring\n", "role": "user" }, { "content": "wget", "role": "assistant" } ]
def x(b): import warnings import chardet try: return b.decode() except UnicodeError: result = chardet.detect(b) if result['confidence'] < 0.95: warnings.warn('autodecode failed with utf-8; guessing %s' % result['encoding']) return result.decode(result['encoding'])
autodecode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(b):\n import warnings\n import chardet\n try:\n return b.decode()\n except UnicodeError:\n result = chardet.detect(b)\n if result['confidence'] < 0.95:\n warnings.warn('autodecode failed with utf-8; guessing %s' %\n result['encoding'])\n return result.decode(result['encoding'])\n", "role": "user" }, { "content": "autodecode", "role": "assistant" } ]
def x(): if 'IPython' not in sys.modules: return False from IPython import get_ipython if getattr(get_ipython(), 'kernel', None) is None: return False try: import ipywidgets as ipy import traitlets except ImportError: return False return True
can_use_widgets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if 'IPython' not in sys.modules:\n return False\n from IPython import get_ipython\n if getattr(get_ipython(), 'kernel', None) is None:\n return False\n try:\n import ipywidgets as ipy\n import traitlets\n except ImportError:\n return False\n return True\n", "role": "user" }, { "content": "can_use_widgets", "role": "assistant" } ]
def x(list_of_paths): found_dirs = set('/') for path in list_of_paths: dirs = path.strip().split('/') for i in range(2, len(dirs)): found_dirs.add('/'.join(dirs[:i])) paths = [path for path in list_of_paths if path.strip() not in found_dirs and path.strip()[-1] != '/'] return paths
remove_directories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_of_paths):\n found_dirs = set('/')\n for path in list_of_paths:\n dirs = path.strip().split('/')\n for i in range(2, len(dirs)):\n found_dirs.add('/'.join(dirs[:i]))\n paths = [path for path in list_of_paths if path.strip() not in\n found_dirs and path.strip()[-1] != '/']\n return paths\n", "role": "user" }, { "content": "remove_directories", "role": "assistant" } ]
def x(filename, wdir): p = filename if not os.path.isabs(p): p = os.path.join(wdir, p) targetpath = os.path.realpath(p) wdir = os.path.realpath(wdir) common = os.path.commonprefix([wdir, targetpath]) if len(common) < len(wdir): raise exceptions.PathError( 'The subprocess engine does not support input files with absolute paths' ) return p
check_file_is_under_workingdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, wdir):\n p = filename\n if not os.path.isabs(p):\n p = os.path.join(wdir, p)\n targetpath = os.path.realpath(p)\n wdir = os.path.realpath(wdir)\n common = os.path.commonprefix([wdir, targetpath])\n if len(common) < len(wdir):\n raise exceptions.PathError(\n 'The subprocess engine does not support input files with absolute paths'\n )\n return p\n", "role": "user" }, { "content": "check_file_is_under_workingdir", "role": "assistant" } ]
def x(self, filename, encoding=None): from . import LocalFile if os.path.isdir(filename) and self.source is None: raise ValueError( 'Cannot write this object to directory %s without an explicit filename.' % filename) target = get_target_path(filename, self.source) if encoding is not None and encoding != self.encoded_with: raise ValueError('%s is already encoded as "%s"' % self, self. encoded_with) with self.open('rb') as infile, open(target, 'wb') as outfile: for line in infile: outfile.write(line) return LocalFile(target)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, encoding=None):\n from . import LocalFile\n if os.path.isdir(filename) and self.source is None:\n raise ValueError(\n 'Cannot write this object to directory %s without an explicit filename.'\n % filename)\n target = get_target_path(filename, self.source)\n if encoding is not None and encoding != self.encoded_with:\n raise ValueError('%s is already encoded as \"%s\"' % self, self.\n encoded_with)\n with self.open('rb') as infile, open(target, 'wb') as outfile:\n for line in infile:\n outfile.write(line)\n return LocalFile(target)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, mode='r', encoding=None): access_type = self._get_access_type(mode) if (access_type == 't' and encoding is not None and encoding != self. encoded_with): warnings.warn( 'Attempting to decode %s as "%s", but encoding is declared as "%s"' % (self, encoding, self.encoded_with)) if encoding is None: encoding = self.encoded_with buffer = io.BytesIO(self._contents) if access_type == 'b': return buffer else: return io.TextIOWrapper(buffer, encoding=encoding)
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode='r', encoding=None):\n access_type = self._get_access_type(mode)\n if (access_type == 't' and encoding is not None and encoding != self.\n encoded_with):\n warnings.warn(\n 'Attempting to decode %s as \"%s\", but encoding is declared as \"%s\"'\n % (self, encoding, self.encoded_with))\n if encoding is None:\n encoding = self.encoded_with\n buffer = io.BytesIO(self._contents)\n if access_type == 'b':\n return buffer\n else:\n return io.TextIOWrapper(buffer, encoding=encoding)\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(destination, origname): if os.path.exists(destination): if not os.path.isdir(destination): raise OSError( 'Cannot write to requested destination %s - file exists' % destination) return os.path.join(destination, os.path.basename(origname)) else: destdir = os.path.abspath(os.path.join(destination, os.path.pardir)) if not os.path.isdir(destdir): raise OSError( 'Cannot write to requested destination %s - parent directory does not exist' % destination) return os.path.join(destination)
get_target_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(destination, origname):\n if os.path.exists(destination):\n if not os.path.isdir(destination):\n raise OSError(\n 'Cannot write to requested destination %s - file exists' %\n destination)\n return os.path.join(destination, os.path.basename(origname))\n else:\n destdir = os.path.abspath(os.path.join(destination, os.path.pardir))\n if not os.path.isdir(destdir):\n raise OSError(\n 'Cannot write to requested destination %s - parent directory does not exist'\n % destination)\n return os.path.join(destination)\n", "role": "user" }, { "content": "get_target_path", "role": "assistant" } ]
def x(self, filename): from . import LocalFile target = get_target_path(filename, self.source) with self.open('rb') as infile, open(target, 'wb') as outfile: shutil.copyfileobj(infile, outfile) return LocalFile(target)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n from . import LocalFile\n target = get_target_path(filename, self.source)\n with self.open('rb') as infile, open(target, 'wb') as outfile:\n shutil.copyfileobj(infile, outfile)\n return LocalFile(target)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, mode): access_type = None for char in mode: if char in 'bt': if access_type is not None: raise IOError('File mode "%s" contains contradictory flags' % mode) access_type = char elif char not in 'rbt': raise NotImplementedError( '%s objects are read-only; unsupported mode "%s"' % (type( self), mode)) if access_type is None: access_type = 't' return access_type
get_access_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode):\n access_type = None\n for char in mode:\n if char in 'bt':\n if access_type is not None:\n raise IOError('File mode \"%s\" contains contradictory flags' %\n mode)\n access_type = char\n elif char not in 'rbt':\n raise NotImplementedError(\n '%s objects are read-only; unsupported mode \"%s\"' % (type(\n self), mode))\n if access_type is None:\n access_type = 't'\n return access_type\n", "role": "user" }, { "content": "get_access_type", "role": "assistant" } ]
def x(func): if inspect.ismethod(func): func = func.__func__ elif not inspect.isroutine(func): raise TypeError("'{!r}' is not a Python function".format(func)) code = getattr(func, '__code__', None) closure = getattr(func, '__closure__', None) co_names = getattr(code, 'co_names', ()) glb = getattr(func, '__globals__', {}) if closure is None: nonlocal_vars = {} else: nonlocal_vars = {var: cell.cell_contents for var, cell in zip(code. co_freevars, func.__closure__)} global_ns = glb builtin_ns = global_ns.get('__builtins__', builtins.__dict__) if inspect.ismodule(builtin_ns): builtin_ns = builtin_ns.__dict__ global_vars = {} builtin_vars = {} unbound_names = set() for name in co_names: if name in ('None', 'True', 'False'): continue try: global_vars[name] = global_ns[name] except KeyError: try: builtin_vars[name] = builtin_ns[name] except KeyError: unbound_names.add(name) return {'nonlocal': nonlocal_vars, 'global': global_vars, 'builtin': builtin_vars, 'unbound': unbound_names}
getclosurevars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n if inspect.ismethod(func):\n func = func.__func__\n elif not inspect.isroutine(func):\n raise TypeError(\"'{!r}' is not a Python function\".format(func))\n code = getattr(func, '__code__', None)\n closure = getattr(func, '__closure__', None)\n co_names = getattr(code, 'co_names', ())\n glb = getattr(func, '__globals__', {})\n if closure is None:\n nonlocal_vars = {}\n else:\n nonlocal_vars = {var: cell.cell_contents for var, cell in zip(code.\n co_freevars, func.__closure__)}\n global_ns = glb\n builtin_ns = global_ns.get('__builtins__', builtins.__dict__)\n if inspect.ismodule(builtin_ns):\n builtin_ns = builtin_ns.__dict__\n global_vars = {}\n builtin_vars = {}\n unbound_names = set()\n for name in co_names:\n if name in ('None', 'True', 'False'):\n continue\n try:\n global_vars[name] = global_ns[name]\n except KeyError:\n try:\n builtin_vars[name] = builtin_ns[name]\n except KeyError:\n unbound_names.add(name)\n return {'nonlocal': nonlocal_vars, 'global': global_vars, 'builtin':\n builtin_vars, 'unbound': unbound_names}\n", "role": "user" }, { "content": "getclosurevars", "role": "assistant" } ]
def x(self, destination): target = get_target_path(destination, self.localpath) shutil.copytree(self.localpath, target)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, destination):\n target = get_target_path(destination, self.localpath)\n shutil.copytree(self.localpath, target)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, destination): target = get_target_path(destination, self.dirname) valid_paths = self.dirname, './%s' % self.dirname with tarfile.open(self.archive_path, 'r:*') as tf: members = [] for tarinfo in tf: pathsplit = os.path.normpath(tarinfo.path).split(os.sep) if pathsplit[0] not in valid_paths: print( 'WARNING: skipped file "%s" in archive; not in directory "%s"' % (tarinfo.path, self.dirname)) continue if len(pathsplit) == 1: continue tarinfo.name = os.path.join(*pathsplit[1:]) members.append(tarinfo) if not members: raise ValueError( "No files under path directory '%s' in this tarfile") tf.extractall(target, members)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, destination):\n target = get_target_path(destination, self.dirname)\n valid_paths = self.dirname, './%s' % self.dirname\n with tarfile.open(self.archive_path, 'r:*') as tf:\n members = []\n for tarinfo in tf:\n pathsplit = os.path.normpath(tarinfo.path).split(os.sep)\n if pathsplit[0] not in valid_paths:\n print(\n 'WARNING: skipped file \"%s\" in archive; not in directory \"%s\"'\n % (tarinfo.path, self.dirname))\n continue\n if len(pathsplit) == 1:\n continue\n tarinfo.name = os.path.join(*pathsplit[1:])\n members.append(tarinfo)\n if not members:\n raise ValueError(\n \"No files under path directory '%s' in this tarfile\")\n tf.extractall(target, members)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, destination): if not self._fetched: self._fetch() DirectoryArchive.put(self, destination)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, destination):\n if not self._fetched:\n self._fetch()\n DirectoryArchive.put(self, destination)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, job, target, abspaths=None): from pathlib import Path root = Path(native_str(target)) for outputpath, outputfile in job.get_output().items(): path = Path(native_str(outputpath)) if path.is_absolute(): if abspaths: path = Path(native_str(abspaths), *path.parts[1:]) else: continue dest = root / path if not dest.parent.is_dir(): dest.parent.mkdir(parents=True) if dest.is_file(): dest.unlink() try: outputfile.put(str(dest)) except IsADirectoryError: if not dest.is_dir(): dest.mkdir(parents=True)
dump_all_outputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job, target, abspaths=None):\n from pathlib import Path\n root = Path(native_str(target))\n for outputpath, outputfile in job.get_output().items():\n path = Path(native_str(outputpath))\n if path.is_absolute():\n if abspaths:\n path = Path(native_str(abspaths), *path.parts[1:])\n else:\n continue\n dest = root / path\n if not dest.parent.is_dir():\n dest.parent.mkdir(parents=True)\n if dest.is_file():\n dest.unlink()\n try:\n outputfile.put(str(dest))\n except IsADirectoryError:\n if not dest.is_dir():\n dest.mkdir(parents=True)\n", "role": "user" }, { "content": "dump_all_outputs", "role": "assistant" } ]
def x(self, image, command, **kwargs): if isinstance(command, PythonCall): return PythonJob(self, image, command, **kwargs) else: return Job(self, image, command, **kwargs)
launch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, image, command, **kwargs):\n if isinstance(command, PythonCall):\n return PythonJob(self, image, command, **kwargs)\n else:\n return Job(self, image, command, **kwargs)\n", "role": "user" }, { "content": "launch", "role": "assistant" } ]
def x(char): if ord(char) < 128: return 1 elif unicodedata.east_asian_width(char) in ('F', 'W'): return 2 elif unicodedata.category(char) in ('Mn',): return 0 else: return 1
char_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(char):\n if ord(char) < 128:\n return 1\n elif unicodedata.east_asian_width(char) in ('F', 'W'):\n return 2\n elif unicodedata.category(char) in ('Mn',):\n return 0\n else:\n return 1\n", "role": "user" }, { "content": "char_width", "role": "assistant" } ]
def x(text): text = unicodedata.normalize('NFD', text) return sum(char_width(char) for char in text)
display_len
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n text = unicodedata.normalize('NFD', text)\n return sum(char_width(char) for char in text)\n", "role": "user" }, { "content": "display_len", "role": "assistant" } ]
def x(names, regex): return tuple(name for name in names if regex.search(name) is not None)
filter_regex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(names, regex):\n return tuple(name for name in names if regex.search(name) is not None)\n", "role": "user" }, { "content": "filter_regex", "role": "assistant" } ]
def x(names, pattern): return tuple(name for name in names if fnmatch.fnmatch(name, pattern))
filter_wildcard
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(names, pattern):\n return tuple(name for name in names if fnmatch.fnmatch(name, pattern))\n", "role": "user" }, { "content": "filter_wildcard", "role": "assistant" } ]
def x(self, obj, attrs): if '__doc__' in attrs: lstrip = getattr(obj.__doc__, 'lstrip', False) return lstrip and any(lstrip())
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, attrs):\n if '__doc__' in attrs:\n lstrip = getattr(obj.__doc__, 'lstrip', False)\n return lstrip and any(lstrip())\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(self, func=None): to_run = self.prepare_namespace(func) result = to_run(*self.args, **self.kwargs) return result
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func=None):\n to_run = self.prepare_namespace(func)\n result = to_run(*self.args, **self.kwargs)\n return result\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, func): if self.is_imethod: to_run = getattr(self.obj, self.imethod_name) else: to_run = func for varname, modulename in self.global_modules.items(): to_run.__globals__[varname] = __import__(modulename) if self.global_closure: to_run.__globals__.update(self.global_closure) if self.global_functions: to_run.__globals__.update(self.global_functions) return to_run
prepare_namespace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func):\n if self.is_imethod:\n to_run = getattr(self.obj, self.imethod_name)\n else:\n to_run = func\n for varname, modulename in self.global_modules.items():\n to_run.__globals__[varname] = __import__(modulename)\n if self.global_closure:\n to_run.__globals__.update(self.global_closure)\n if self.global_functions:\n to_run.__globals__.update(self.global_functions)\n return to_run\n", "role": "user" }, { "content": "prepare_namespace", "role": "assistant" } ]
def x(headers, data, title='', columns=None): results = [] add = results.append add('.. list-table:: %s' % title) add(' :header-rows: 1') if columns: add(' :widths: %s' % ','.join(str(c) for c in columns)) add('') add(' - * %s' % headers[0]) for h in headers[1:]: add(' * %s' % h) for row in data: add(' - * %s' % row[0]) for r in row[1:]: add(' * %s' % r) add('') return '\n'.join(results)
make_list_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(headers, data, title='', columns=None):\n results = []\n add = results.append\n add('.. list-table:: %s' % title)\n add(' :header-rows: 1')\n if columns:\n add(' :widths: %s' % ','.join(str(c) for c in columns))\n add('')\n add(' - * %s' % headers[0])\n for h in headers[1:]:\n add(' * %s' % h)\n for row in data:\n add(' - * %s' % row[0])\n for r in row[1:]:\n add(' * %s' % r)\n add('')\n return '\\n'.join(results)\n", "role": "user" }, { "content": "make_list_table", "role": "assistant" } ]
def x(headers, data, title, columns=None): header_names = [h[0] for h in headers] header_keys = [h[1] for h in headers] row_data = ([d.get(k) for k in header_keys] for d in data) return make_list_table(header_names, row_data, title, columns)
make_list_table_from_mappings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(headers, data, title, columns=None):\n header_names = [h[0] for h in headers]\n header_keys = [h[1] for h in headers]\n row_data = ([d.get(k) for k in header_keys] for d in data)\n return make_list_table(header_names, row_data, title, columns)\n", "role": "user" }, { "content": "make_list_table_from_mappings", "role": "assistant" } ]
def x(value, TWOPLACES=Decimal(100) ** -2): if not isinstance(value, Decimal): value = Decimal(str(value)) return value.quantize(TWOPLACES)
decimal_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, TWOPLACES=Decimal(100) ** -2):\n if not isinstance(value, Decimal):\n value = Decimal(str(value))\n return value.quantize(TWOPLACES)\n", "role": "user" }, { "content": "decimal_format", "role": "assistant" } ]
def x(obj_type, profile): default_alert_value = True if not profile: alerts_on = True else: notifications = profile.get('notifications', {}) alerts_on = notifications.get(obj_type, default_alert_value) return dict(alerts_on=alerts_on, obj_type=obj_type)
notification_preference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj_type, profile):\n default_alert_value = True\n if not profile:\n alerts_on = True\n else:\n notifications = profile.get('notifications', {})\n alerts_on = notifications.get(obj_type, default_alert_value)\n return dict(alerts_on=alerts_on, obj_type=obj_type)\n", "role": "user" }, { "content": "notification_preference", "role": "assistant" } ]
def x(self): if 'committee_id' in self: _id = self['committee_id'] return self.document._old_roles_committees.get(_id) else: return self
committee_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'committee_id' in self:\n _id = self['committee_id']\n return self.document._old_roles_committees.get(_id)\n else:\n return self\n", "role": "user" }, { "content": "committee_object", "role": "assistant" } ]
def x(self, bill=None, vote=None, session=None, term=None): if not any([bill, vote, session, term]): try: bill = self.bill except AttributeError: try: vote = self.vote except AttributeError: return '' if not any([bill, vote, session, term]): return '' if bill is not None: term = bill['_term'] elif vote is not None: try: _bill = vote.bill except AttributeError: _bill = BillVote(vote).bill if callable(_bill): _bill = _bill() term = _bill['_term'] if term is None and session is not None: term = term_for_session(self[settings.LEVEL_FIELD], session) roles = [r for r in self['roles'] if r.get('type') == 'member' and r. get('term') == term] roles = list(filter(None, roles)) if not roles: roles = [r for r in self.get('old_roles', {}).get(term, []) if r. get('type') == 'member'] roles = list(filter(None, roles)) if not roles: return '' if len(roles) == 1: role = roles.pop() self['context_role'] = role return role if not list(filter(None, [bill, vote])): if term is not None: role = roles[0] self['context_role'] = role return role if session is not None: session_data = self.metadata['session_details'][session] for role in roles: role_start = role.get('start_date') role_end = role.get('end_date') session_start = session_data.get('start_date') session_end = session_data.get('end_date') if session_start and session_end: started_during = role_start < session_start < role_end ended_during = role_start < session_end < role_end if started_during or ended_during: self['context_role'] = role return role else: continue role = roles[0] self['context_role'] = role return role if vote is not None: date = vote['date'] if bill is not None: date = bill['action_dates']['first'] dates_exist = False for role in roles: start_date = role.get('start_date') end_date = role.get('end_date') if start_date and end_date: dates_exist = True if start_date < date < end_date: self['context_role'] = role return role if dates_exist: return '' else: role = roles.pop() self['context_role'] = role return role return ''
context_role
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bill=None, vote=None, session=None, term=None):\n if not any([bill, vote, session, term]):\n try:\n bill = self.bill\n except AttributeError:\n try:\n vote = self.vote\n except AttributeError:\n return ''\n if not any([bill, vote, session, term]):\n return ''\n if bill is not None:\n term = bill['_term']\n elif vote is not None:\n try:\n _bill = vote.bill\n except AttributeError:\n _bill = BillVote(vote).bill\n if callable(_bill):\n _bill = _bill()\n term = _bill['_term']\n if term is None and session is not None:\n term = term_for_session(self[settings.LEVEL_FIELD], session)\n roles = [r for r in self['roles'] if r.get('type') == 'member' and r.\n get('term') == term]\n roles = list(filter(None, roles))\n if not roles:\n roles = [r for r in self.get('old_roles', {}).get(term, []) if r.\n get('type') == 'member']\n roles = list(filter(None, roles))\n if not roles:\n return ''\n if len(roles) == 1:\n role = roles.pop()\n self['context_role'] = role\n return role\n if not list(filter(None, [bill, vote])):\n if term is not None:\n role = roles[0]\n self['context_role'] = role\n return role\n if session is not None:\n session_data = self.metadata['session_details'][session]\n for role in roles:\n role_start = role.get('start_date')\n role_end = role.get('end_date')\n session_start = session_data.get('start_date')\n session_end = session_data.get('end_date')\n if session_start and session_end:\n started_during = role_start < session_start < role_end\n ended_during = role_start < session_end < role_end\n if started_during or ended_during:\n self['context_role'] = role\n return role\n else:\n continue\n role = roles[0]\n self['context_role'] = role\n return role\n if vote is not None:\n date = vote['date']\n if bill is not None:\n date = bill['action_dates']['first']\n dates_exist = False\n for role in roles:\n start_date = role.get('start_date')\n end_date = role.get('end_date')\n if start_date and end_date:\n dates_exist = True\n if start_date < date < end_date:\n self['context_role'] = role\n return role\n if dates_exist:\n return ''\n else:\n role = roles.pop()\n self['context_role'] = role\n return role\n return ''\n", "role": "user" }, { "content": "context_role", "role": "assistant" } ]
def x(self): wrapper = self._old_role_wrapper chamber_getter = operator.methodcaller('get', 'chamber') for term, roles in self.get('old_roles', {}).items(): chamber_roles = defaultdict(lambda : defaultdict(list)) for chamber, roles in itertools.groupby(roles, chamber_getter): for role in roles: role = wrapper(role) typeslug = role['type'].lower().replace(' ', '_') chamber_roles[chamber][typeslug].append(role) yield term, chamber_roles
old_roles_manager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n wrapper = self._old_role_wrapper\n chamber_getter = operator.methodcaller('get', 'chamber')\n for term, roles in self.get('old_roles', {}).items():\n chamber_roles = defaultdict(lambda : defaultdict(list))\n for chamber, roles in itertools.groupby(roles, chamber_getter):\n for role in roles:\n role = wrapper(role)\n typeslug = role['type'].lower().replace(' ', '_')\n chamber_roles[chamber][typeslug].append(role)\n yield term, chamber_roles\n", "role": "user" }, { "content": "old_roles_manager", "role": "assistant" } ]
def x(self, name): name = re.sub( "^(Senator|Representative|Sen\\.?|Rep\\.?|Hon\\.?|Right Hon\\.?|Mr\\.?|Mrs\\.?|Ms\\.?|L'hon\\.?|Assembly(member|man|woman)) " , '', name) return name.strip().lower().replace('.', '')
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n name = re.sub(\n \"^(Senator|Representative|Sen\\\\.?|Rep\\\\.?|Hon\\\\.?|Right Hon\\\\.?|Mr\\\\.?|Mrs\\\\.?|Ms\\\\.?|L'hon\\\\.?|Assembly(member|man|woman)) \"\n , '', name)\n return name.strip().lower().replace('.', '')\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, legislator): name, obj = legislator, legislator['_id'] if legislator['roles'] and legislator['roles'][0]['term' ] == self._term and legislator['roles'][0]['type'] == 'member': chamber = legislator['roles'][0]['chamber'] else: try: chamber = legislator['old_roles'][self._term][0].get('chamber') except KeyError: raise ValueError('no role in legislator %s [%s] for term %s' % (legislator['full_name'], legislator['_id'], self._term)) if '_code' in name: code = name['_code'] if code in self._codes[chamber] or code in self._codes[None]: raise ValueError('non-unique legislator code [%s] for %s' % ( code, name['full_name'])) self._codes[chamber][code] = obj self._codes[None][code] = obj forms = set() def x(form): forms.add(self._normalize(form)) add_form(name['full_name']) add_form(name['_scraped_name']) add_form(name['last_name']) if name['first_name']: add_form('%s, %s' % (name['last_name'], name['first_name'])) add_form('%s %s' % (name['first_name'], name['last_name'])) add_form('%s, %s' % (name['last_name'], name['first_name'][0])) add_form('%s (%s)' % (name['last_name'], name['first_name'])) add_form('%s %s' % (name['first_name'][0], name['last_name'])) add_form('%s (%s)' % (name['last_name'], name['first_name'][0])) if name['middle_name']: add_form('%s, %s %s' % (name['last_name'], name['first_name'], name['middle_name'])) add_form('%s, %s %s' % (name['last_name'], name['first_name'][0 ], name['middle_name'])) add_form('%s %s %s' % (name['first_name'], name['middle_name'], name['last_name'])) add_form('%s, %s %s' % (name['last_name'], name['first_name'][0 ], name['middle_name'][0])) add_form('%s %s %s' % (name['first_name'], name['middle_name'][ 0], name['last_name'])) add_form('%s, %s %s' % (name['last_name'], name['first_name'], name['middle_name'][0])) add_form('%s, %s.%s.' % (name['last_name'], name['first_name'][ 0], name['middle_name'][0])) for form in forms: form = self._normalize(form) if form in self._names[chamber]: self._names[chamber][form] = None else: self._names[chamber][form] = obj if form in self._names[None]: self._names[None][form] = None else: self._names[None][form] = obj
learn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, legislator):\n name, obj = legislator, legislator['_id']\n if legislator['roles'] and legislator['roles'][0]['term'\n ] == self._term and legislator['roles'][0]['type'] == 'member':\n chamber = legislator['roles'][0]['chamber']\n else:\n try:\n chamber = legislator['old_roles'][self._term][0].get('chamber')\n except KeyError:\n raise ValueError('no role in legislator %s [%s] for term %s' %\n (legislator['full_name'], legislator['_id'], self._term))\n if '_code' in name:\n code = name['_code']\n if code in self._codes[chamber] or code in self._codes[None]:\n raise ValueError('non-unique legislator code [%s] for %s' % (\n code, name['full_name']))\n self._codes[chamber][code] = obj\n self._codes[None][code] = obj\n forms = set()\n\n def x(form):\n forms.add(self._normalize(form))\n add_form(name['full_name'])\n add_form(name['_scraped_name'])\n add_form(name['last_name'])\n if name['first_name']:\n add_form('%s, %s' % (name['last_name'], name['first_name']))\n add_form('%s %s' % (name['first_name'], name['last_name']))\n add_form('%s, %s' % (name['last_name'], name['first_name'][0]))\n add_form('%s (%s)' % (name['last_name'], name['first_name']))\n add_form('%s %s' % (name['first_name'][0], name['last_name']))\n add_form('%s (%s)' % (name['last_name'], name['first_name'][0]))\n if name['middle_name']:\n add_form('%s, %s %s' % (name['last_name'], name['first_name'],\n name['middle_name']))\n add_form('%s, %s %s' % (name['last_name'], name['first_name'][0\n ], name['middle_name']))\n add_form('%s %s %s' % (name['first_name'], name['middle_name'],\n name['last_name']))\n add_form('%s, %s %s' % (name['last_name'], name['first_name'][0\n ], name['middle_name'][0]))\n add_form('%s %s %s' % (name['first_name'], name['middle_name'][\n 0], name['last_name']))\n add_form('%s, %s %s' % (name['last_name'], name['first_name'],\n name['middle_name'][0]))\n add_form('%s, %s.%s.' % (name['last_name'], name['first_name'][\n 0], name['middle_name'][0]))\n for form in forms:\n form = self._normalize(form)\n if form in self._names[chamber]:\n self._names[chamber][form] = None\n else:\n self._names[chamber][form] = obj\n if form in self._names[None]:\n self._names[None][form] = None\n else:\n self._names[None][form] = obj\n", "role": "user" }, { "content": "learn", "role": "assistant" } ]
def x(self, name, chamber=None): try: return self._manual[chamber][name] except KeyError: pass if chamber == 'joint': chamber = None try: return self._codes[chamber][name] except KeyError: pass if chamber not in self._names: logger.warning('Chamber %s is invalid for a legislator.' % chamber) return None name = self._normalize(name) return self._names[chamber].get(name, None)
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, chamber=None):\n try:\n return self._manual[chamber][name]\n except KeyError:\n pass\n if chamber == 'joint':\n chamber = None\n try:\n return self._codes[chamber][name]\n except KeyError:\n pass\n if chamber not in self._names:\n logger.warning('Chamber %s is invalid for a legislator.' % chamber)\n return None\n name = self._normalize(name)\n return self._names[chamber].get(name, None)\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(mod_path, scraper_type): try: module = importlib.import_module(mod_path) except ImportError as e: raise ScrapeError('could not import %s' % mod_path, e) ScraperClass = None for k, v in module.__dict__.items(): if k.startswith('_'): continue if getattr(v, 'scraper_type', None) == scraper_type: if ScraperClass: raise ScrapeError( 'two %s scrapers found in module %s: %s %s' % ( scraper_type, mod_path, ScraperClass, k)) ScraperClass = v if not ScraperClass: raise ScrapeError('no %s scraper found in module %s' % ( scraper_type, mod_path)) return ScraperClass
get_scraper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mod_path, scraper_type):\n try:\n module = importlib.import_module(mod_path)\n except ImportError as e:\n raise ScrapeError('could not import %s' % mod_path, e)\n ScraperClass = None\n for k, v in module.__dict__.items():\n if k.startswith('_'):\n continue\n if getattr(v, 'scraper_type', None) == scraper_type:\n if ScraperClass:\n raise ScrapeError(\n 'two %s scrapers found in module %s: %s %s' % (\n scraper_type, mod_path, ScraperClass, k))\n ScraperClass = v\n if not ScraperClass:\n raise ScrapeError('no %s scraper found in module %s' % (\n scraper_type, mod_path))\n return ScraperClass\n", "role": "user" }, { "content": "get_scraper", "role": "assistant" } ]
def x(self): types = 'bill', 'committee', 'person', 'vote', 'event' for type in types: schema_path = os.path.join(os.path.split(__file__)[0], '../schemas/%s.json' % type) self._schema[type] = json.load(open(schema_path)) self._schema[type]['properties'][settings.LEVEL_FIELD] = {'minLength': 2, 'type': 'string'} self._schema['bill']['properties']['session']['enum'] = self.all_sessions() self._schema['vote']['properties']['session']['enum'] = self.all_sessions() terms = [t['name'] for t in self.metadata['terms']] self._schema['person']['properties']['roles']['items']['properties']['term' ]['enum'] = terms
load_schemas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n types = 'bill', 'committee', 'person', 'vote', 'event'\n for type in types:\n schema_path = os.path.join(os.path.split(__file__)[0], \n '../schemas/%s.json' % type)\n self._schema[type] = json.load(open(schema_path))\n self._schema[type]['properties'][settings.LEVEL_FIELD] = {'minLength':\n 2, 'type': 'string'}\n self._schema['bill']['properties']['session']['enum'] = self.all_sessions()\n self._schema['vote']['properties']['session']['enum'] = self.all_sessions()\n terms = [t['name'] for t in self.metadata['terms']]\n self._schema['person']['properties']['roles']['items']['properties']['term'\n ]['enum'] = terms\n", "role": "user" }, { "content": "load_schemas", "role": "assistant" } ]
def x(self, session, latest_only=False): if latest_only: if session != self.metadata['terms'][-1]['sessions'][-1]: raise NoDataForPeriod(session) for t in self.metadata['terms']: if session in t['sessions']: return True raise NoDataForPeriod(session)
validate_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, latest_only=False):\n if latest_only:\n if session != self.metadata['terms'][-1]['sessions'][-1]:\n raise NoDataForPeriod(session)\n for t in self.metadata['terms']:\n if session in t['sessions']:\n return True\n raise NoDataForPeriod(session)\n", "role": "user" }, { "content": "validate_session", "role": "assistant" } ]
def x(self, term, latest_only=False): if latest_only: if term == self.metadata['terms'][-1]['name']: return True else: raise NoDataForPeriod(term) for t in self.metadata['terms']: if term == t['name']: return True raise NoDataForPeriod(term)
validate_term
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term, latest_only=False):\n if latest_only:\n if term == self.metadata['terms'][-1]['name']:\n return True\n else:\n raise NoDataForPeriod(term)\n for t in self.metadata['terms']:\n if term == t['name']:\n return True\n raise NoDataForPeriod(term)\n", "role": "user" }, { "content": "validate_term", "role": "assistant" } ]
def x(self, url, **kwargs): self['sources'].append(dict(url=url, **kwargs))
add_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, **kwargs):\n self['sources'].append(dict(url=url, **kwargs))\n", "role": "user" }, { "content": "add_source", "role": "assistant" } ]
def x(self): ends = collections.Counter() for line in self.text.splitlines(): for matchobj in re.finditer('\\s{2,}', line.lstrip()): ends[matchobj.end()] += 1 return ends
get_column_ends
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ends = collections.Counter()\n for line in self.text.splitlines():\n for matchobj in re.finditer('\\\\s{2,}', line.lstrip()):\n ends[matchobj.end()] += 1\n return ends\n", "role": "user" }, { "content": "get_column_ends", "role": "assistant" } ]
def x(self): ends = self._get_column_ends() if not ends: return [slice(None, None)] most_common = [] threshold = self.threshold for k, v in collections.Counter(ends.values()).most_common(): if k >= threshold: most_common.append(k) if most_common: boundaries = [] for k, v in ends.items(): if v in most_common: boundaries.append(k) else: boundaries = ends.keys() boundaries.sort() last_boundary = boundaries[-1] boundaries = zip([0] + boundaries, boundaries) boundaries = list(itertools.starmap(slice, boundaries)) boundaries.append(slice(last_boundary, None)) return boundaries
get_column_boundaries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ends = self._get_column_ends()\n if not ends:\n return [slice(None, None)]\n most_common = []\n threshold = self.threshold\n for k, v in collections.Counter(ends.values()).most_common():\n if k >= threshold:\n most_common.append(k)\n if most_common:\n boundaries = []\n for k, v in ends.items():\n if v in most_common:\n boundaries.append(k)\n else:\n boundaries = ends.keys()\n boundaries.sort()\n last_boundary = boundaries[-1]\n boundaries = zip([0] + boundaries, boundaries)\n boundaries = list(itertools.starmap(slice, boundaries))\n boundaries.append(slice(last_boundary, None))\n return boundaries\n", "role": "user" }, { "content": "get_column_boundaries", "role": "assistant" } ]
def x(self, line): for boundary in self.boundaries: cell = line.lstrip()[boundary].strip() if cell: for cell in re.split('\\s{3,}', cell): yield cell else: yield None
getcells
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n for boundary in self.boundaries:\n cell = line.lstrip()[boundary].strip()\n if cell:\n for cell in re.split('\\\\s{3,}', cell):\n yield cell\n else:\n yield None\n", "role": "user" }, { "content": "getcells", "role": "assistant" } ]
def x(self): for line in self.text.splitlines(): yield tuple(self.getcells(line))
rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for line in self.text.splitlines():\n yield tuple(self.getcells(line))\n", "role": "user" }, { "content": "rows", "role": "assistant" } ]
def x(self): for line in self.text.splitlines(): for cell in self.getcells(line): yield cell
cells
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for line in self.text.splitlines():\n for cell in self.getcells(line):\n yield cell\n", "role": "user" }, { "content": "cells", "role": "assistant" } ]
def x(self): skip = self.skip if skip == 0: return 0 count, remainder = divmod(skip, self.limit) return count
previous_pages_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n skip = self.skip\n if skip == 0:\n return 0\n count, remainder = divmod(skip, self.limit)\n return count\n", "role": "user" }, { "content": "previous_pages_count", "role": "assistant" } ]
def x(self): count = self._previous_pages_count() + 1 for i in reversed(range(1, count)): yield i
previous_pages_numbers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n count = self._previous_pages_count() + 1\n for i in reversed(range(1, count)):\n yield i\n", "role": "user" }, { "content": "previous_pages_numbers", "role": "assistant" } ]
def x(self): count = self.count range_end = self.range_start + self.limit - 1 if count < range_end: range_end = count return range_end
range_end
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n count = self.count\n range_end = self.range_start + self.limit - 1\n if count < range_end:\n range_end = count\n return range_end\n", "role": "user" }, { "content": "range_end", "role": "assistant" } ]
def x(self, max_number_of_links=7): div, mod = divmod(max_number_of_links, 2) if not mod == 1: msg = 'Max number of links must be odd, was %r.' raise ValueError(msg % max_number_of_links) midpoint = (max_number_of_links - 1) / 2 current_page = self.current_page last_page = self.last_page if current_page > last_page: raise Http404('invalid page number') current_page = last_page show_link_firstpage = midpoint < current_page show_link_previouspage = 1 < current_page show_link_lastpage = current_page < self.last_page - midpoint show_link_nextpage = current_page < last_page extra_room_previous = midpoint - current_page if extra_room_previous < 0: extra_room_previous = 0 if not show_link_firstpage: extra_room_previous += 1 if not show_link_previouspage: extra_room_previous += 1 extra_room_subsequent = current_page - last_page + midpoint extra_room_subsequent = max([extra_room_subsequent, 0]) if not show_link_nextpage: extra_room_subsequent += 1 if not show_link_lastpage: extra_room_subsequent += 1 if self.current_page == 1: yield PageLink(string=1, page_number=1, clickable=False) else: if show_link_firstpage: yield PageLink(string=u'«', page_number=1, clickable=True) if show_link_previouspage: yield PageLink(string=u'‹', page_number=self.previous_page, clickable=True) previous = itertools.islice(self.previous_pages_numbers(), midpoint + extra_room_subsequent) previous = list(previous)[::-1] for page_number in previous: yield PageLink(string=page_number, page_number=page_number, clickable=True) if current_page != 1: yield PageLink(string=current_page, page_number=current_page, clickable=False) subsequent_count = midpoint + extra_room_previous _subsequent_pages_count = self._subsequent_pages_count if _subsequent_pages_count < subsequent_count: subsequent_count = _subsequent_pages_count for page_number in itertools.islice(self.subsequent_pages_numbers(), subsequent_count): yield PageLink(string=page_number, page_number=page_number, clickable=True) if show_link_nextpage: yield PageLink(string=u'›', page_number=current_page + 1, clickable =True) if show_link_lastpage: yield PageLink(string=u'»', page_number=last_page, clickable=True)
pagination_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, max_number_of_links=7):\n div, mod = divmod(max_number_of_links, 2)\n if not mod == 1:\n msg = 'Max number of links must be odd, was %r.'\n raise ValueError(msg % max_number_of_links)\n midpoint = (max_number_of_links - 1) / 2\n current_page = self.current_page\n last_page = self.last_page\n if current_page > last_page:\n raise Http404('invalid page number')\n current_page = last_page\n show_link_firstpage = midpoint < current_page\n show_link_previouspage = 1 < current_page\n show_link_lastpage = current_page < self.last_page - midpoint\n show_link_nextpage = current_page < last_page\n extra_room_previous = midpoint - current_page\n if extra_room_previous < 0:\n extra_room_previous = 0\n if not show_link_firstpage:\n extra_room_previous += 1\n if not show_link_previouspage:\n extra_room_previous += 1\n extra_room_subsequent = current_page - last_page + midpoint\n extra_room_subsequent = max([extra_room_subsequent, 0])\n if not show_link_nextpage:\n extra_room_subsequent += 1\n if not show_link_lastpage:\n extra_room_subsequent += 1\n if self.current_page == 1:\n yield PageLink(string=1, page_number=1, clickable=False)\n else:\n if show_link_firstpage:\n yield PageLink(string=u'«', page_number=1, clickable=True)\n if show_link_previouspage:\n yield PageLink(string=u'‹', page_number=self.previous_page,\n clickable=True)\n previous = itertools.islice(self.previous_pages_numbers(), midpoint +\n extra_room_subsequent)\n previous = list(previous)[::-1]\n for page_number in previous:\n yield PageLink(string=page_number, page_number=page_number,\n clickable=True)\n if current_page != 1:\n yield PageLink(string=current_page, page_number=current_page,\n clickable=False)\n subsequent_count = midpoint + extra_room_previous\n _subsequent_pages_count = self._subsequent_pages_count\n if _subsequent_pages_count < subsequent_count:\n subsequent_count = _subsequent_pages_count\n for page_number in itertools.islice(self.subsequent_pages_numbers(),\n subsequent_count):\n yield PageLink(string=page_number, page_number=page_number,\n clickable=True)\n if show_link_nextpage:\n yield PageLink(string=u'›', page_number=current_page + 1, clickable\n =True)\n if show_link_lastpage:\n yield PageLink(string=u'»', page_number=last_page, clickable=True)\n", "role": "user" }, { "content": "pagination_data", "role": "assistant" } ]
def x(scraper_type, options, metadata): _clear_scraped_data(options.output_dir, scraper_type) scraper = _get_configured_scraper(scraper_type, options, metadata) ua_email = os.environ.get('BILLY_UA_EMAIL') if ua_email and scraper: scraper.user_agent += ' ({})'.format(ua_email) if not scraper: return [{'type': scraper_type, 'start_time': dt.datetime.utcnow(), 'noscraper': True, 'end_time': dt.datetime.utcnow()}] runs = [] scrape = {'type': scraper_type} scrape['start_time'] = dt.datetime.utcnow() if scraper_type in ('bills', 'votes', 'events'): times = options.sessions for time in times: scraper.validate_session(time, scraper.latest_only) elif scraper_type in ('committees', 'legislators'): times = options.terms for time in times: scraper.validate_term(time, scraper.latest_only) for time in times: chambers = options.chambers if scraper_type == 'events' and len(options.chambers) == 2: chambers.append('other') if _is_old_scrape(scraper.scrape): for chamber in chambers: scraper.scrape(chamber, time) else: scraper.scrape(time, chambers=chambers) if not scraper.object_count and scraper_type not in ('events', 'votes' ): raise ScrapeError("%s scraper didn't save any objects" % scraper_type) scrape['end_time'] = dt.datetime.utcnow() runs.append(scrape) return runs
run_scraper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scraper_type, options, metadata):\n _clear_scraped_data(options.output_dir, scraper_type)\n scraper = _get_configured_scraper(scraper_type, options, metadata)\n ua_email = os.environ.get('BILLY_UA_EMAIL')\n if ua_email and scraper:\n scraper.user_agent += ' ({})'.format(ua_email)\n if not scraper:\n return [{'type': scraper_type, 'start_time': dt.datetime.utcnow(),\n 'noscraper': True, 'end_time': dt.datetime.utcnow()}]\n runs = []\n scrape = {'type': scraper_type}\n scrape['start_time'] = dt.datetime.utcnow()\n if scraper_type in ('bills', 'votes', 'events'):\n times = options.sessions\n for time in times:\n scraper.validate_session(time, scraper.latest_only)\n elif scraper_type in ('committees', 'legislators'):\n times = options.terms\n for time in times:\n scraper.validate_term(time, scraper.latest_only)\n for time in times:\n chambers = options.chambers\n if scraper_type == 'events' and len(options.chambers) == 2:\n chambers.append('other')\n if _is_old_scrape(scraper.scrape):\n for chamber in chambers:\n scraper.scrape(chamber, time)\n else:\n scraper.scrape(time, chambers=chambers)\n if not scraper.object_count and scraper_type not in ('events', 'votes'\n ):\n raise ScrapeError(\"%s scraper didn't save any objects\" %\n scraper_type)\n scrape['end_time'] = dt.datetime.utcnow()\n runs.append(scrape)\n return runs\n", "role": "user" }, { "content": "run_scraper", "role": "assistant" } ]
def x(data, standalone_votes, categorizer): abbr = data[settings.LEVEL_FIELD] data['bill_id'] = fix_bill_id(data['bill_id']) if 'alternate_bill_ids' in data: data['alternate_bill_ids'] = [fix_bill_id(bid) for bid in data[ 'alternate_bill_ids']] subjects = data.pop('subjects', None) if subjects: data['scraped_subjects'] = subjects if categorizer: categorizer.categorize_bill(data) for companion in data['companions']: companion['bill_id'] = fix_bill_id(companion['bill_id']) spec = companion.copy() spec[settings.LEVEL_FIELD] = abbr if not spec['chamber']: spec.pop('chamber') companion_obj = db.bills.find_one(spec) if companion_obj: companion['internal_id'] = companion_obj['_id'] else: logger.warning('Unknown companion: {chamber} {session} {bill_id}' .format(**companion)) bill = db.bills.find_one({settings.LEVEL_FIELD: abbr, 'session': data[ 'session'], 'chamber': data['chamber'], 'bill_id': data['bill_id']}) doc_matcher = DocumentMatcher(abbr) if bill: doc_matcher.learn_ids(bill['versions'] + bill['documents']) doc_matcher.set_ids(data['versions'] + data['documents']) match_sponsor_ids(abbr, data) bill_votes = data.pop('votes', []) if metadata(abbr).get('_partial_vote_bill_id'): numeric_bill_id = data['bill_id'].split()[1] bill_votes += standalone_votes.pop((data['chamber'], data['session' ], numeric_bill_id), []) else: bill_votes += standalone_votes.pop((data['chamber'], data['session' ], data['bill_id']), []) if bill: prepare_votes(abbr, data['session'], bill['_id'], bill_votes) else: prepare_votes(abbr, data['session'], None, bill_votes) dates = {'first': None, 'last': None, 'passed_upper': None, 'passed_lower': None, 'signed': None} vote_flags = {'bill:passed', 'bill:failed', 'bill:veto_override:passed', 'bill:veto_override:failed', 'amendment:passed', 'amendment:failed', 'committee:passed', 'committee:passed:favorable', 'committee:passed:unfavorable', 'committee:passed:failed'} already_linked = set() remove_vote = set() for action in data['actions']: adate = action['date'] def x(name): return get_committee_id(abbr, action['actor'], name) def x(name): return get_legislator_id(abbr, data['session'], action['actor'], name) resolvers = {'committee': _match_committee, 'legislator': _match_legislator} if 'related_entities' in action: for entity in action['related_entities']: try: resolver = resolvers[entity['type']] except KeyError as e: logger.error("I don't know how to sort a %s" % e) continue id = resolver(entity['name']) entity['id'] = id if not dates['first'] or adate < dates['first']: dates['first'] = adate if not dates['last'] or adate > dates['last']: dates['last'] = adate if not dates['passed_upper'] and action['actor' ] == 'upper' and 'bill:passed' in action['type']: dates['passed_upper'] = adate elif not dates['passed_lower'] and action['actor' ] == 'lower' and 'bill:passed' in action['type']: dates['passed_lower'] = adate elif not dates['signed'] and 'governor:signed' in action['type']: dates['signed'] = adate action_attached = False if set(action['type']).intersection(vote_flags) and action['date']: for vote in bill_votes: if not vote['date']: continue delta = abs(vote['date'] - action['date']) if delta < datetime.timedelta(hours=20) and vote['chamber' ] == action['actor']: if action_attached: action.pop('related_votes', None) else: related_vote = vote['vote_id'] if related_vote in already_linked: remove_vote.add(related_vote) already_linked.add(related_vote) action['related_votes'] = [related_vote] action_attached = True for action in data['actions']: for vote in remove_vote: if vote in action.get('related_votes', []): action['related_votes'].remove(vote) data['action_dates'] = dates data['_term'] = term_for_session(abbr, data['session']) alt_titles = set(data.get('alternate_titles', [])) for version in data['versions']: if 'title' in version: alt_titles.add(version['title']) if '+short_title' in version: alt_titles.add(version['+short_title']) try: alt_titles.remove(data['title']) except KeyError: pass data['alternate_titles'] = list(alt_titles) data = apply_filters(filters, data) if not bill: insert_with_id(data) git_add_bill(data) save_votes(data, bill_votes) return 'insert' else: update(bill, data, db.bills) git_add_bill(bill) save_votes(bill, bill_votes) return 'update'
import_bill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, standalone_votes, categorizer):\n abbr = data[settings.LEVEL_FIELD]\n data['bill_id'] = fix_bill_id(data['bill_id'])\n if 'alternate_bill_ids' in data:\n data['alternate_bill_ids'] = [fix_bill_id(bid) for bid in data[\n 'alternate_bill_ids']]\n subjects = data.pop('subjects', None)\n if subjects:\n data['scraped_subjects'] = subjects\n if categorizer:\n categorizer.categorize_bill(data)\n for companion in data['companions']:\n companion['bill_id'] = fix_bill_id(companion['bill_id'])\n spec = companion.copy()\n spec[settings.LEVEL_FIELD] = abbr\n if not spec['chamber']:\n spec.pop('chamber')\n companion_obj = db.bills.find_one(spec)\n if companion_obj:\n companion['internal_id'] = companion_obj['_id']\n else:\n logger.warning('Unknown companion: {chamber} {session} {bill_id}'\n .format(**companion))\n bill = db.bills.find_one({settings.LEVEL_FIELD: abbr, 'session': data[\n 'session'], 'chamber': data['chamber'], 'bill_id': data['bill_id']})\n doc_matcher = DocumentMatcher(abbr)\n if bill:\n doc_matcher.learn_ids(bill['versions'] + bill['documents'])\n doc_matcher.set_ids(data['versions'] + data['documents'])\n match_sponsor_ids(abbr, data)\n bill_votes = data.pop('votes', [])\n if metadata(abbr).get('_partial_vote_bill_id'):\n numeric_bill_id = data['bill_id'].split()[1]\n bill_votes += standalone_votes.pop((data['chamber'], data['session'\n ], numeric_bill_id), [])\n else:\n bill_votes += standalone_votes.pop((data['chamber'], data['session'\n ], data['bill_id']), [])\n if bill:\n prepare_votes(abbr, data['session'], bill['_id'], bill_votes)\n else:\n prepare_votes(abbr, data['session'], None, bill_votes)\n dates = {'first': None, 'last': None, 'passed_upper': None,\n 'passed_lower': None, 'signed': None}\n vote_flags = {'bill:passed', 'bill:failed', 'bill:veto_override:passed',\n 'bill:veto_override:failed', 'amendment:passed', 'amendment:failed',\n 'committee:passed', 'committee:passed:favorable',\n 'committee:passed:unfavorable', 'committee:passed:failed'}\n already_linked = set()\n remove_vote = set()\n for action in data['actions']:\n adate = action['date']\n\n def x(name):\n return get_committee_id(abbr, action['actor'], name)\n\n def x(name):\n return get_legislator_id(abbr, data['session'], action['actor'],\n name)\n resolvers = {'committee': _match_committee, 'legislator':\n _match_legislator}\n if 'related_entities' in action:\n for entity in action['related_entities']:\n try:\n resolver = resolvers[entity['type']]\n except KeyError as e:\n logger.error(\"I don't know how to sort a %s\" % e)\n continue\n id = resolver(entity['name'])\n entity['id'] = id\n if not dates['first'] or adate < dates['first']:\n dates['first'] = adate\n if not dates['last'] or adate > dates['last']:\n dates['last'] = adate\n if not dates['passed_upper'] and action['actor'\n ] == 'upper' and 'bill:passed' in action['type']:\n dates['passed_upper'] = adate\n elif not dates['passed_lower'] and action['actor'\n ] == 'lower' and 'bill:passed' in action['type']:\n dates['passed_lower'] = adate\n elif not dates['signed'] and 'governor:signed' in action['type']:\n dates['signed'] = adate\n action_attached = False\n if set(action['type']).intersection(vote_flags) and action['date']:\n for vote in bill_votes:\n if not vote['date']:\n continue\n delta = abs(vote['date'] - action['date'])\n if delta < datetime.timedelta(hours=20) and vote['chamber'\n ] == action['actor']:\n if action_attached:\n action.pop('related_votes', None)\n else:\n related_vote = vote['vote_id']\n if related_vote in already_linked:\n remove_vote.add(related_vote)\n already_linked.add(related_vote)\n action['related_votes'] = [related_vote]\n action_attached = True\n for action in data['actions']:\n for vote in remove_vote:\n if vote in action.get('related_votes', []):\n action['related_votes'].remove(vote)\n data['action_dates'] = dates\n data['_term'] = term_for_session(abbr, data['session'])\n alt_titles = set(data.get('alternate_titles', []))\n for version in data['versions']:\n if 'title' in version:\n alt_titles.add(version['title'])\n if '+short_title' in version:\n alt_titles.add(version['+short_title'])\n try:\n alt_titles.remove(data['title'])\n except KeyError:\n pass\n data['alternate_titles'] = list(alt_titles)\n data = apply_filters(filters, data)\n if not bill:\n insert_with_id(data)\n git_add_bill(data)\n save_votes(data, bill_votes)\n return 'insert'\n else:\n update(bill, data, db.bills)\n git_add_bill(bill)\n save_votes(bill, bill_votes)\n return 'update'\n", "role": "user" }, { "content": "import_bill", "role": "assistant" } ]
def x(abbr): meta = db.metadata.find_one({'_id': abbr}) current_term = meta['terms'][-1] current_session = current_term['sessions'][-1] for bill in db.bills.find({settings.LEVEL_FIELD: abbr}): if bill['session'] == current_session: bill['_current_session'] = True else: bill['_current_session'] = False if bill['session'] in current_term['sessions']: bill['_current_term'] = True else: bill['_current_term'] = False db.bills.save(bill, safe=True)
populate_current_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(abbr):\n meta = db.metadata.find_one({'_id': abbr})\n current_term = meta['terms'][-1]\n current_session = current_term['sessions'][-1]\n for bill in db.bills.find({settings.LEVEL_FIELD: abbr}):\n if bill['session'] == current_session:\n bill['_current_session'] = True\n else:\n bill['_current_session'] = False\n if bill['session'] in current_term['sessions']:\n bill['_current_term'] = True\n else:\n bill['_current_term'] = False\n db.bills.save(bill, safe=True)\n", "role": "user" }, { "content": "populate_current_fields", "role": "assistant" } ]