source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(source, destination): logger.info('copyfile: %s -> %s' % (source, destination)) try: __create_destdir(destination) shutil.copy(source, destination) return True except Exception as e: logger.error('copyfile: %s -> %s failed! Error: %s', source, destination, e) return False
copyfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, destination):\n logger.info('copyfile: %s -> %s' % (source, destination))\n try:\n __create_destdir(destination)\n shutil.copy(source, destination)\n return True\n except Exception as e:\n logger.error('copyfile: %s -> %s failed! Error: %s', source,\n destination, e)\n return False\n", "role": "user" }, { "content": "copyfile", "role": "assistant" } ]
def x(source, destination): logger.info('copyfile2: %s -> %s' % (source, destination)) try: __create_destdir(destination) shutil.copy2(source, destination) return True except Exception as e: logger.error('copyfile2: %s -> %s failed! Error: %s', source, destination, e) return False
copyfile2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, destination):\n logger.info('copyfile2: %s -> %s' % (source, destination))\n try:\n __create_destdir(destination)\n shutil.copy2(source, destination)\n return True\n except Exception as e:\n logger.error('copyfile2: %s -> %s failed! Error: %s', source,\n destination, e)\n return False\n", "role": "user" }, { "content": "copyfile2", "role": "assistant" } ]
def x(source, destination, symlinks=False): logger.info('copytree: %s -> %s' % (source, destination)) try: __create_destdir(destination) shutil.copytree(source, destination, symlinks) return True except Exception as e: logger.exception('copytree: %s -> %s failed! Error: %s', source, destination, e) return False
copytree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, destination, symlinks=False):\n logger.info('copytree: %s -> %s' % (source, destination))\n try:\n __create_destdir(destination)\n shutil.copytree(source, destination, symlinks)\n return True\n except Exception as e:\n logger.exception('copytree: %s -> %s failed! Error: %s', source,\n destination, e)\n return False\n", "role": "user" }, { "content": "copytree", "role": "assistant" } ]
def x(source, destination): if os.path.isdir(source): return __copytree(source, destination) else: return __copyfile2(source, destination)
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, destination):\n if os.path.isdir(source):\n return __copytree(source, destination)\n else:\n return __copyfile2(source, destination)\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(pattern, destination): for item in glob.glob(pattern): if not copy(item, destination): return False return True
gcopy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern, destination):\n for item in glob.glob(pattern):\n if not copy(item, destination):\n return False\n return True\n", "role": "user" }, { "content": "gcopy", "role": "assistant" } ]
def x(source, destination): logger.info('Move: %s -> %s' % (source, destination)) try: __create_destdir(destination) shutil.move(source, destination) return True except Exception: logger.exception('Failed to Move: %s -> %s' % (source, destination)) return False
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, destination):\n logger.info('Move: %s -> %s' % (source, destination))\n try:\n __create_destdir(destination)\n shutil.move(source, destination)\n return True\n except Exception:\n logger.exception('Failed to Move: %s -> %s' % (source, destination))\n return False\n", "role": "user" }, { "content": "move", "role": "assistant" } ]
def x(pattern, destination): for item in glob.glob(pattern): if not move(item, destination): return False return True
gmove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern, destination):\n for item in glob.glob(pattern):\n if not move(item, destination):\n return False\n return True\n", "role": "user" }, { "content": "gmove", "role": "assistant" } ]
def x(path): logger.info('rmfile: %s' % path) try: os.remove(path) return True except Exception as e: logger.error('rmfile: %s failed! Error: %s' % (path, e)) return False
rmfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n logger.info('rmfile: %s' % path)\n try:\n os.remove(path)\n return True\n except Exception as e:\n logger.error('rmfile: %s failed! Error: %s' % (path, e))\n return False\n", "role": "user" }, { "content": "rmfile", "role": "assistant" } ]
def x(path): logger.info('rmtree: %s' % path) try: shutil.rmtree(path) return True except Exception as e: logger.error('rmtree: %s failed! Error: %s' % (path, e)) return False
rmtree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n logger.info('rmtree: %s' % path)\n try:\n shutil.rmtree(path)\n return True\n except Exception as e:\n logger.error('rmtree: %s failed! Error: %s' % (path, e))\n return False\n", "role": "user" }, { "content": "rmtree", "role": "assistant" } ]
def x(path): if os.path.isdir(path): return __rmtree(path) else: return __rmfile(path)
remove
[ { "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 return __rmtree(path)\n else:\n return __rmfile(path)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(pattern): for item in glob.glob(pattern): if not remove(item): return False return True
gremove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern):\n for item in glob.glob(pattern):\n if not remove(item):\n return False\n return True\n", "role": "user" }, { "content": "gremove", "role": "assistant" } ]
def x(path, encoding='utf-8'): try: with io.open(path, encoding=encoding) as f: return f.read() except Exception as e: logger.error('read: %s failed. Error: %s', path, e) return ''
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, encoding='utf-8'):\n try:\n with io.open(path, encoding=encoding) as f:\n return f.read()\n except Exception as e:\n logger.error('read: %s failed. Error: %s', path, e)\n return ''\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(path, content='', encoding='utf-8', overwrite=False): path = os.path.abspath(path) if not overwrite and os.path.exists(path): logger.warning('touch: "%s" already exists', path) return False try: logger.info('touch: %s', path) with io.open(path, 'wb') as f: if not isinstance(content, six.binary_type): content = content.encode(encoding) f.write(content) return True except Exception as e: logger.error('touch: %s failed. Error: %s', path, e) return False
touch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, content='', encoding='utf-8', overwrite=False):\n path = os.path.abspath(path)\n if not overwrite and os.path.exists(path):\n logger.warning('touch: \"%s\" already exists', path)\n return False\n try:\n logger.info('touch: %s', path)\n with io.open(path, 'wb') as f:\n if not isinstance(content, six.binary_type):\n content = content.encode(encoding)\n f.write(content)\n return True\n except Exception as e:\n logger.error('touch: %s failed. Error: %s', path, e)\n return False\n", "role": "user" }, { "content": "touch", "role": "assistant" } ]
def x(path='', obj=None): if not path: return obj path = path.split('.') if obj is None: obj = importlib.import_module(path[0]) path = path[1:] for item in path: if item == '*': return [getattr(obj, name) for name in dir(obj) if not name. startswith('__')] if isinstance(obj, types.ModuleType): submodule = '{}.{}'.format(_package(obj), item) try: obj = importlib.import_module(submodule) except Exception as import_error: try: obj = getattr(obj, item) except Exception: raise import_error else: obj = getattr(obj, item) return obj
get_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path='', obj=None):\n if not path:\n return obj\n path = path.split('.')\n if obj is None:\n obj = importlib.import_module(path[0])\n path = path[1:]\n for item in path:\n if item == '*':\n return [getattr(obj, name) for name in dir(obj) if not name.\n startswith('__')]\n if isinstance(obj, types.ModuleType):\n submodule = '{}.{}'.format(_package(obj), item)\n try:\n obj = importlib.import_module(submodule)\n except Exception as import_error:\n try:\n obj = getattr(obj, item)\n except Exception:\n raise import_error\n else:\n obj = getattr(obj, item)\n return obj\n", "role": "user" }, { "content": "get_object", "role": "assistant" } ]
def x(klass, modules=None): if modules: if isinstance(modules, six.string_types): modules = [modules] loader = Loader() loader.load(*modules) return klass.__subclasses__()
load_subclasses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, modules=None):\n if modules:\n if isinstance(modules, six.string_types):\n modules = [modules]\n loader = Loader()\n loader.load(*modules)\n return klass.__subclasses__()\n", "role": "user" }, { "content": "load_subclasses", "role": "assistant" } ]
def x(): trace = '' exception = '' exc_list = traceback.format_exception_only(sys.exc_info()[0], sys. exc_info()[1]) for entry in exc_list: exception += entry tb_list = traceback.format_tb(sys.exc_info()[2]) for entry in tb_list: trace += entry return '%s\n%s' % (exception, trace)
get_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n trace = ''\n exception = ''\n exc_list = traceback.format_exception_only(sys.exc_info()[0], sys.\n exc_info()[1])\n for entry in exc_list:\n exception += entry\n tb_list = traceback.format_tb(sys.exc_info()[2])\n for entry in tb_list:\n trace += entry\n return '%s\\n%s' % (exception, trace)\n", "role": "user" }, { "content": "get_exception", "role": "assistant" } ]
def x(self, *modules): for module in modules: if isinstance(module, six.string_types): try: module = get_object(module) except Exception as e: self.errors[module] = e continue self.modules[module.__package__] = module for loader, module_name, is_pkg in pkgutil.walk_packages(module. __path__): full_name = '{}.{}'.format(_package(module), module_name) try: self.modules[full_name] = get_object(full_name) if is_pkg: self.load(self.modules[full_name]) except Exception as e: self.errors[full_name] = e
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *modules):\n for module in modules:\n if isinstance(module, six.string_types):\n try:\n module = get_object(module)\n except Exception as e:\n self.errors[module] = e\n continue\n self.modules[module.__package__] = module\n for loader, module_name, is_pkg in pkgutil.walk_packages(module.\n __path__):\n full_name = '{}.{}'.format(_package(module), module_name)\n try:\n self.modules[full_name] = get_object(full_name)\n if is_pkg:\n self.load(self.modules[full_name])\n except Exception as e:\n self.errors[full_name] = e\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(products) ->str: _filter = 0 for product in {PRODUCTS[p] for p in products}: _filter += product return format(_filter, 'b')[::-1]
product_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(products) ->str:\n _filter = 0\n for product in {PRODUCTS[p] for p in products}:\n _filter += product\n return format(_filter, 'b')[::-1]\n", "role": "user" }, { "content": "product_filter", "role": "assistant" } ]
def x() ->str: _lang: str = 'd' _type: str = 'n' _with_suggestions: str = '?' return BASE_URI + STBOARD_PATH + _lang + _type + _with_suggestions
base_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->str:\n _lang: str = 'd'\n _type: str = 'n'\n _with_suggestions: str = '?'\n return BASE_URI + STBOARD_PATH + _lang + _type + _with_suggestions\n", "role": "user" }, { "content": "base_url", "role": "assistant" } ]
async def get_departures(self, station_id: str, direction_id: Optional[str] =None, max_journeys: int=20, products: Optional[List[str]]=None) ->Dict[ str, Any]: """Fetch data from rmv.de.""" self.station_id: str = station_id self.direction_id: str = direction_id self.max_journeys: int = max_journeys self.products_filter: str = _product_filter(products or ALL_PRODUCTS) base_url: str = _base_url() params: Dict[str, Union[str, int]] = {'selectDate': 'today', 'time': 'now', 'input': self.station_id, 'maxJourneys': self.max_journeys, 'boardType': 'dep', 'productsFilter': self.products_filter, 'disableEquivs': 'discard_nearby', 'output': 'xml', 'start': 'yes'} if self.direction_id: params['dirInput'] = self.direction_id url = base_url + urllib.parse.urlencode(params) try: with async_timeout.timeout(self._timeout): async with self._session.get(url) as response: _LOGGER.debug(f'Response from RMV API: {response.status}') xml = await response.read() _LOGGER.debug(xml) except (asyncio.TimeoutError, aiohttp.ClientError): _LOGGER.error('Can not load data from RMV API') raise RMVtransportApiConnectionError() try: self.obj = objectify.fromstring(xml) except (TypeError, etree.XMLSyntaxError): _LOGGER.debug(f'Get from string: {xml[:100]}') print(f'Get from string: {xml}') raise RMVtransportError() try: self.now = self.current_time() self.station = self._station() except (TypeError, AttributeError): _LOGGER.debug( f'Time/Station TypeError or AttributeError {objectify.dump(self.obj)}' ) raise RMVtransportError() self.journeys.clear() try: for journey in self.obj.SBRes.JourneyList.Journey: self.journeys.append(RMVJourney(journey, self.now)) except AttributeError: _LOGGER.debug(f'Extract journeys: {objectify.dump(self.obj.SBRes)}') raise RMVtransportError() return self.data()
get_departures
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_departures(self, station_id: str, direction_id: Optional[str]\n =None, max_journeys: int=20, products: Optional[List[str]]=None) ->Dict[\n str, Any]:\n \"\"\"Fetch data from rmv.de.\"\"\"\n self.station_id: str = station_id\n self.direction_id: str = direction_id\n self.max_journeys: int = max_journeys\n self.products_filter: str = _product_filter(products or ALL_PRODUCTS)\n base_url: str = _base_url()\n params: Dict[str, Union[str, int]] = {'selectDate': 'today', 'time':\n 'now', 'input': self.station_id, 'maxJourneys': self.max_journeys,\n 'boardType': 'dep', 'productsFilter': self.products_filter,\n 'disableEquivs': 'discard_nearby', 'output': 'xml', 'start': 'yes'}\n if self.direction_id:\n params['dirInput'] = self.direction_id\n url = base_url + urllib.parse.urlencode(params)\n try:\n with async_timeout.timeout(self._timeout):\n async with self._session.get(url) as response:\n _LOGGER.debug(f'Response from RMV API: {response.status}')\n xml = await response.read()\n _LOGGER.debug(xml)\n except (asyncio.TimeoutError, aiohttp.ClientError):\n _LOGGER.error('Can not load data from RMV API')\n raise RMVtransportApiConnectionError()\n try:\n self.obj = objectify.fromstring(xml)\n except (TypeError, etree.XMLSyntaxError):\n _LOGGER.debug(f'Get from string: {xml[:100]}')\n print(f'Get from string: {xml}')\n raise RMVtransportError()\n try:\n self.now = self.current_time()\n self.station = self._station()\n except (TypeError, AttributeError):\n _LOGGER.debug(\n f'Time/Station TypeError or AttributeError {objectify.dump(self.obj)}'\n )\n raise RMVtransportError()\n self.journeys.clear()\n try:\n for journey in self.obj.SBRes.JourneyList.Journey:\n self.journeys.append(RMVJourney(journey, self.now))\n except AttributeError:\n _LOGGER.debug(f'Extract journeys: {objectify.dump(self.obj.SBRes)}')\n raise RMVtransportError()\n return self.data()\n", "role": "user" }, { "content": "get_departures", "role": "assistant" } ]
def x(self) ->Dict[str, Any]: data: Dict[str, Any] = {} data['station'] = self.station data['stationId'] = self.station_id data['filter'] = self.products_filter journeys = [] for j in sorted(self.journeys, key=lambda k: k.real_departure)[:self. max_journeys]: journeys.append({'product': j.product, 'number': j.number, 'trainId': j.train_id, 'direction': j.direction, 'departure_time': j.real_departure_time, 'minutes': j. real_departure, 'delay': j.delay, 'stops': [s['station'] for s in j.stops], 'info': j.info, 'info_long': j.info_long, 'icon': j.icon} ) data['journeys'] = journeys return data
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Dict[str, Any]:\n data: Dict[str, Any] = {}\n data['station'] = self.station\n data['stationId'] = self.station_id\n data['filter'] = self.products_filter\n journeys = []\n for j in sorted(self.journeys, key=lambda k: k.real_departure)[:self.\n max_journeys]:\n journeys.append({'product': j.product, 'number': j.number,\n 'trainId': j.train_id, 'direction': j.direction,\n 'departure_time': j.real_departure_time, 'minutes': j.\n real_departure, 'delay': j.delay, 'stops': [s['station'] for s in\n j.stops], 'info': j.info, 'info_long': j.info_long, 'icon': j.icon}\n )\n data['journeys'] = journeys\n return data\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(self) ->str: return str(self.obj.SBRes.SBReq.Start.Station.HafasName.Text.pyval)
station
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n return str(self.obj.SBRes.SBReq.Start.Station.HafasName.Text.pyval)\n", "role": "user" }, { "content": "station", "role": "assistant" } ]
def x(self) ->datetime: _date = datetime.strptime(self.obj.SBRes.SBReq.StartT.get('date'), '%Y%m%d' ) _time = datetime.strptime(self.obj.SBRes.SBReq.StartT.get('time'), '%H:%M') return datetime.combine(_date.date(), _time.time())
current_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->datetime:\n _date = datetime.strptime(self.obj.SBRes.SBReq.StartT.get('date'), '%Y%m%d'\n )\n _time = datetime.strptime(self.obj.SBRes.SBReq.StartT.get('time'), '%H:%M')\n return datetime.combine(_date.date(), _time.time())\n", "role": "user" }, { "content": "current_time", "role": "assistant" } ]
def x(self) ->None: print('%s - %s' % (self.station, self.now)) print(self.products_filter) for j in sorted(self.journeys, key=lambda k: k.real_departure)[:self. max_journeys]: print('-------------') print(f'{j.product}: {j.number} ({j.train_id})') print(f'Richtung: {j.direction}') print(f'Abfahrt in {j.real_departure} min.') print(f'Abfahrt {j.departure.time()} (+{j.delay})') print(f"Nächste Haltestellen: {[s['station'] for s in j.stops]}") if j.info: print(f'Hinweis: {j.info}') print(f'Hinweis (lang): {j.info_long}') print(f'Icon: {j.icon}')
output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n print('%s - %s' % (self.station, self.now))\n print(self.products_filter)\n for j in sorted(self.journeys, key=lambda k: k.real_departure)[:self.\n max_journeys]:\n print('-------------')\n print(f'{j.product}: {j.number} ({j.train_id})')\n print(f'Richtung: {j.direction}')\n print(f'Abfahrt in {j.real_departure} min.')\n print(f'Abfahrt {j.departure.time()} (+{j.delay})')\n print(f\"Nächste Haltestellen: {[s['station'] for s in j.stops]}\")\n if j.info:\n print(f'Hinweis: {j.info}')\n print(f'Hinweis (lang): {j.info_long}')\n print(f'Icon: {j.icon}')\n", "role": "user" }, { "content": "output", "role": "assistant" } ]
def x(self, variable_path: str, default: t.Optional[t.Any]=None, coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]= None, **kwargs): if self.scope: variable_path = '{0.scope}{0.path_separator}{1}'.format(self, variable_path) if self.key_prefix: variable_path = '{0.key_prefix}:{1}'.format(self, variable_path) val = self.client.get(variable_path) if val is None: return default if val.startswith(self.object_serialize_prefix): _val = val[len(self.object_serialize_prefix):] bundle = self.object_deserialize(_val) if bundle == '': return self.coerce(bundle, coerce_type=coerce_type, coercer=coercer ) return bundle if isinstance(val, bytes): val = val.decode() return self.coerce(val, coerce_type=coerce_type, coercer=coercer)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, variable_path: str, default: t.Optional[t.Any]=None,\n coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=\n None, **kwargs):\n if self.scope:\n variable_path = '{0.scope}{0.path_separator}{1}'.format(self,\n variable_path)\n if self.key_prefix:\n variable_path = '{0.key_prefix}:{1}'.format(self, variable_path)\n val = self.client.get(variable_path)\n if val is None:\n return default\n if val.startswith(self.object_serialize_prefix):\n _val = val[len(self.object_serialize_prefix):]\n bundle = self.object_deserialize(_val)\n if bundle == '':\n return self.coerce(bundle, coerce_type=coerce_type, coercer=coercer\n )\n return bundle\n if isinstance(val, bytes):\n val = val.decode()\n return self.coerce(val, coerce_type=coerce_type, coercer=coercer)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(path, processor, encoding='utf-8', mode='rt', *args, **kwargs): if mode not in ('rU', 'rt', 'rb', 'r'): raise Exception('Invalid file reading mode') with open(path, *args, encoding=encoding, mode=mode, **kwargs) as infile: return processor(infile)
process_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, processor, encoding='utf-8', mode='rt', *args, **kwargs):\n if mode not in ('rU', 'rt', 'rb', 'r'):\n raise Exception('Invalid file reading mode')\n with open(path, *args, encoding=encoding, mode=mode, **kwargs) as infile:\n return processor(infile)\n", "role": "user" }, { "content": "process_file", "role": "assistant" } ]
def x(path, encoding='utf-8', *args, **kwargs): if 'mode' in kwargs and kwargs['mode'] == 'rb': return process_file(path, *args, processor=lambda x: x.read(), encoding=encoding, **kwargs) else: return process_file(path, *args, processor=lambda x: to_string(x. read(), encoding), encoding=encoding, **kwargs)
read_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, encoding='utf-8', *args, **kwargs):\n if 'mode' in kwargs and kwargs['mode'] == 'rb':\n return process_file(path, *args, processor=lambda x: x.read(),\n encoding=encoding, **kwargs)\n else:\n return process_file(path, *args, processor=lambda x: to_string(x.\n read(), encoding), encoding=encoding, **kwargs)\n", "role": "user" }, { "content": "read_file", "role": "assistant" } ]
def x(path, content, mode=None, encoding='utf-8'): if not mode: if isinstance(content, bytes): mode = 'wb' else: mode = 'wt' if not path: raise ValueError('Output path is invalid') else: getLogger().debug('Writing content to {}'.format(path)) if mode in ('w', 'wt') and not isinstance(content, str): content = to_string(content) elif mode == 'wb': if not isinstance(content, str): content = to_string(content).encode(encoding) else: content = content.encode(encoding) if str(path).endswith('.gz'): with gzip.open(path, mode) as outfile: outfile.write(content) else: with open(path, mode=mode) as outfile: outfile.write(content)
write_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, content, mode=None, encoding='utf-8'):\n if not mode:\n if isinstance(content, bytes):\n mode = 'wb'\n else:\n mode = 'wt'\n if not path:\n raise ValueError('Output path is invalid')\n else:\n getLogger().debug('Writing content to {}'.format(path))\n if mode in ('w', 'wt') and not isinstance(content, str):\n content = to_string(content)\n elif mode == 'wb':\n if not isinstance(content, str):\n content = to_string(content).encode(encoding)\n else:\n content = content.encode(encoding)\n if str(path).endswith('.gz'):\n with gzip.open(path, mode) as outfile:\n outfile.write(content)\n else:\n with open(path, mode=mode) as outfile:\n outfile.write(content)\n", "role": "user" }, { "content": "write_file", "role": "assistant" } ]
def x(input_stream, fieldnames=None, sniff=False, *args, **kwargs): if 'dialect' not in kwargs and sniff: kwargs['dialect'] = csv.Sniffer().sniff(input_stream.read(1024)) input_stream.seek(0) if 'quoting' in kwargs and kwargs['quoting'] is None: kwargs['quoting'] = csv.QUOTE_MINIMAL if fieldnames: if isinstance(fieldnames, bool): reader = csv.DictReader(input_stream, *args, **kwargs) else: reader = csv.DictReader(input_stream, *args, fieldnames= fieldnames, **kwargs) for row in reader: yield row else: csvreader = csv.reader(input_stream, *args, **kwargs) for row in csvreader: yield row
iter_csv_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_stream, fieldnames=None, sniff=False, *args, **kwargs):\n if 'dialect' not in kwargs and sniff:\n kwargs['dialect'] = csv.Sniffer().sniff(input_stream.read(1024))\n input_stream.seek(0)\n if 'quoting' in kwargs and kwargs['quoting'] is None:\n kwargs['quoting'] = csv.QUOTE_MINIMAL\n if fieldnames:\n if isinstance(fieldnames, bool):\n reader = csv.DictReader(input_stream, *args, **kwargs)\n else:\n reader = csv.DictReader(input_stream, *args, fieldnames=\n fieldnames, **kwargs)\n for row in reader:\n yield row\n else:\n csvreader = csv.reader(input_stream, *args, **kwargs)\n for row in csvreader:\n yield row\n", "role": "user" }, { "content": "iter_csv_stream", "role": "assistant" } ]
def x(path, fieldnames=None, sniff=True, mode='rt', encoding='utf-8', *args, **kwargs): with open(path, mode=mode, encoding=encoding) as infile: for row in iter_csv_stream(infile, *args, fieldnames=fieldnames, sniff=sniff, **kwargs): yield row
read_csv_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, fieldnames=None, sniff=True, mode='rt', encoding='utf-8', *args,\n **kwargs):\n with open(path, mode=mode, encoding=encoding) as infile:\n for row in iter_csv_stream(infile, *args, fieldnames=fieldnames,\n sniff=sniff, **kwargs):\n yield row\n", "role": "user" }, { "content": "read_csv_iter", "role": "assistant" } ]
def x(path, fieldnames=None, sniff=True, encoding='utf-8', *args, **kwargs): return list(r for r in read_csv_iter(path, *args, fieldnames=fieldnames, sniff=sniff, encoding=encoding, **kwargs))
read_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, fieldnames=None, sniff=True, encoding='utf-8', *args, **kwargs):\n return list(r for r in read_csv_iter(path, *args, fieldnames=fieldnames,\n sniff=sniff, encoding=encoding, **kwargs))\n", "role": "user" }, { "content": "read_csv", "role": "assistant" } ]
def x(path, rows, dialect='excel', fieldnames=None, quoting=csv.QUOTE_ALL, extrasaction='ignore', *args, **kwargs): if not quoting: quoting = csv.QUOTE_MINIMAL if 'lineterminator' not in kwargs: kwargs['lineterminator'] = '\n' with open(path, mode='wt', newline='') as csvfile: if fieldnames: writer = csv.DictWriter(csvfile, *args, fieldnames=fieldnames, dialect=dialect, quoting=quoting, extrasaction=extrasaction, **kwargs) writer.writeheader() for row in rows: writer.writerow(row) else: writer = csv.writer(csvfile, *args, dialect=dialect, quoting= quoting, **kwargs) for row in rows: writer.writerow(row)
write_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, rows, dialect='excel', fieldnames=None, quoting=csv.QUOTE_ALL,\n extrasaction='ignore', *args, **kwargs):\n if not quoting:\n quoting = csv.QUOTE_MINIMAL\n if 'lineterminator' not in kwargs:\n kwargs['lineterminator'] = '\\n'\n with open(path, mode='wt', newline='') as csvfile:\n if fieldnames:\n writer = csv.DictWriter(csvfile, *args, fieldnames=fieldnames,\n dialect=dialect, quoting=quoting, extrasaction=extrasaction,\n **kwargs)\n writer.writeheader()\n for row in rows:\n writer.writerow(row)\n else:\n writer = csv.writer(csvfile, *args, dialect=dialect, quoting=\n quoting, **kwargs)\n for row in rows:\n writer.writerow(row)\n", "role": "user" }, { "content": "write_csv", "role": "assistant" } ]
def x(file_name, rows, header=None, *args, **kwargs): warnings.warn( 'chirptext.io.CSV is deprecated and will be removed in near future.', DeprecationWarning) write_csv(file_name, rows, *args, fieldnames=header, **kwargs)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_name, rows, header=None, *args, **kwargs):\n warnings.warn(\n 'chirptext.io.CSV is deprecated and will be removed in near future.',\n DeprecationWarning)\n write_csv(file_name, rows, *args, fieldnames=header, **kwargs)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(idstring=None, utc=False): if utc: timestamp = time.gmtime() else: timestamp = time.localtime() utcdate = time.strftime('%Y%m%d%H%M%S', timestamp) try: pid = os.getpid() except AttributeError: pid = 1 randint = random.randrange(100000) if idstring is None: idstring = '' else: idstring = '.' + idstring idhost = DNS_NAME msgid = '<%s.%s.%s%s@%s>' % (utcdate, pid, randint, idstring, idhost) return msgid
make_msgid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(idstring=None, utc=False):\n if utc:\n timestamp = time.gmtime()\n else:\n timestamp = time.localtime()\n utcdate = time.strftime('%Y%m%d%H%M%S', timestamp)\n try:\n pid = os.getpid()\n except AttributeError:\n pid = 1\n randint = random.randrange(100000)\n if idstring is None:\n idstring = ''\n else:\n idstring = '.' + idstring\n idhost = DNS_NAME\n msgid = '<%s.%s.%s%s@%s>' % (utcdate, pid, randint, idstring, idhost)\n return msgid\n", "role": "user" }, { "content": "make_msgid", "role": "assistant" } ]
def x(name, val): val = smart_text(val) if '\n' in val or '\r' in val: raise BadHeaderError( "Header values can't contain newlines (got %r for header %r)" % (val, name)) try: val = val.encode('ascii') except UnicodeEncodeError: if name.lower() in ('to', 'from', 'cc'): result = [] for item in val.split(', '): nm, addr = parseaddr(item) nm = str(Header(nm, DEFAULT_CHARSET)) result.append(formataddr((nm, str(addr)))) val = ', '.join(result) else: val = Header(val, DEFAULT_CHARSET) else: if name.lower() == 'subject': val = Header(val) return name, val
forbid_multi_line_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, val):\n val = smart_text(val)\n if '\\n' in val or '\\r' in val:\n raise BadHeaderError(\n \"Header values can't contain newlines (got %r for header %r)\" %\n (val, name))\n try:\n val = val.encode('ascii')\n except UnicodeEncodeError:\n if name.lower() in ('to', 'from', 'cc'):\n result = []\n for item in val.split(', '):\n nm, addr = parseaddr(item)\n nm = str(Header(nm, DEFAULT_CHARSET))\n result.append(formataddr((nm, str(addr))))\n val = ', '.join(result)\n else:\n val = Header(val, DEFAULT_CHARSET)\n else:\n if name.lower() == 'subject':\n val = Header(val)\n return name, val\n", "role": "user" }, { "content": "forbid_multi_line_headers", "role": "assistant" } ]
def x(subject, sender, to, message, html_message=None, cc=None, bcc=None, attachments=None, host=None, port=None, auth_user=None, auth_password= None, use_tls=False, fail_silently=False): if message is None and html_message is None: raise ValueError('Either message or html_message must be provided') if message is None: message = strip_tags(html_message) connection = SMTPConnection(host=host, port=port, username=auth_user, password=auth_password, use_tls=use_tls, fail_silently=fail_silently) if isinstance(to, six.string_types): to = [to] if html_message is None: email = EmailMessage(subject=subject, body=message, sender=sender, to=to, cc=cc, bcc=bcc, attachments=attachments, connection= connection) else: email = EmailMultiAlternatives(subject=subject, body=message, sender=sender, to=to, cc=cc, bcc=bcc, attachments=attachments, connection=connection) email.attach_alternative(html_message, 'text/html') return email.send()
send_mail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subject, sender, to, message, html_message=None, cc=None, bcc=None,\n attachments=None, host=None, port=None, auth_user=None, auth_password=\n None, use_tls=False, fail_silently=False):\n if message is None and html_message is None:\n raise ValueError('Either message or html_message must be provided')\n if message is None:\n message = strip_tags(html_message)\n connection = SMTPConnection(host=host, port=port, username=auth_user,\n password=auth_password, use_tls=use_tls, fail_silently=fail_silently)\n if isinstance(to, six.string_types):\n to = [to]\n if html_message is None:\n email = EmailMessage(subject=subject, body=message, sender=sender,\n to=to, cc=cc, bcc=bcc, attachments=attachments, connection=\n connection)\n else:\n email = EmailMultiAlternatives(subject=subject, body=message,\n sender=sender, to=to, cc=cc, bcc=bcc, attachments=attachments,\n connection=connection)\n email.attach_alternative(html_message, 'text/html')\n return email.send()\n", "role": "user" }, { "content": "send_mail", "role": "assistant" } ]
def x(datatuple, fail_silently=False, auth_user=None, auth_password=None): connection = SMTPConnection(username=auth_user, password=auth_password, fail_silently=fail_silently) messages = [EmailMessage(subject, message, sender, recipient) for subject, message, sender, recipient in datatuple] return connection.send_messages(messages)
send_mass_mail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(datatuple, fail_silently=False, auth_user=None, auth_password=None):\n connection = SMTPConnection(username=auth_user, password=auth_password,\n fail_silently=fail_silently)\n messages = [EmailMessage(subject, message, sender, recipient) for \n subject, message, sender, recipient in datatuple]\n return connection.send_messages(messages)\n", "role": "user" }, { "content": "send_mass_mail", "role": "assistant" } ]
def x(self): if self.connection: return False try: self.connection = smtplib.SMTP(self.host, self.port, local_hostname =DNS_NAME.get_fqdn()) if self.use_tls: self.connection.ehlo() self.connection.starttls() self.connection.ehlo() if self.username and self.password: self.connection.login(self.username, self.password) return True except Exception as e: logger.error('Error trying to connect to server %s:%s: %s', self. host, self.port, e) if not self.fail_silently: raise
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.connection:\n return False\n try:\n self.connection = smtplib.SMTP(self.host, self.port, local_hostname\n =DNS_NAME.get_fqdn())\n if self.use_tls:\n self.connection.ehlo()\n self.connection.starttls()\n self.connection.ehlo()\n if self.username and self.password:\n self.connection.login(self.username, self.password)\n return True\n except Exception as e:\n logger.error('Error trying to connect to server %s:%s: %s', self.\n host, self.port, e)\n if not self.fail_silently:\n raise\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self): try: try: self.connection.quit() except socket.sslerror: self.connection.close() except Exception as e: logger.error('Error trying to close connection to server %s:%s: %s' , self.host, self.port, e) if self.fail_silently: return raise finally: self.connection = None
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n try:\n self.connection.quit()\n except socket.sslerror:\n self.connection.close()\n except Exception as e:\n logger.error('Error trying to close connection to server %s:%s: %s'\n , self.host, self.port, e)\n if self.fail_silently:\n return\n raise\n finally:\n self.connection = None\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, messages): if not messages: return new_conn_created = self.open() if not self.connection: return num_sent = 0 for message in messages: sent = self._send(message) if sent: num_sent += 1 if new_conn_created: self.close() return num_sent
send_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, messages):\n if not messages:\n return\n new_conn_created = self.open()\n if not self.connection:\n return\n num_sent = 0\n for message in messages:\n sent = self._send(message)\n if sent:\n num_sent += 1\n if new_conn_created:\n self.close()\n return num_sent\n", "role": "user" }, { "content": "send_messages", "role": "assistant" } ]
def x(self, message): if not message.recipients(): return False try: self.connection.sendmail(message.sender, message.recipients(), message.message().as_string()) except Exception as e: logger.error('Error sending a message to server %s:%s: %s', self. host, self.port, e) if not self.fail_silently: raise return False return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n if not message.recipients():\n return False\n try:\n self.connection.sendmail(message.sender, message.recipients(),\n message.message().as_string())\n except Exception as e:\n logger.error('Error sending a message to server %s:%s: %s', self.\n host, self.port, e)\n if not self.fail_silently:\n raise\n return False\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, filename=None, content=None, mimetype=None): if isinstance(filename, MIMEBase): assert content is None and mimetype is None self.attachments.append(filename) elif content is None and os.path.isfile(filename): self.attach_file(filename, mimetype) else: assert content is not None self.attachments.append((filename, content, mimetype))
attach
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None, content=None, mimetype=None):\n if isinstance(filename, MIMEBase):\n assert content is None and mimetype is None\n self.attachments.append(filename)\n elif content is None and os.path.isfile(filename):\n self.attach_file(filename, mimetype)\n else:\n assert content is not None\n self.attachments.append((filename, content, mimetype))\n", "role": "user" }, { "content": "attach", "role": "assistant" } ]
def x(self, path, mimetype=None): filename = os.path.basename(path) content = open(path, 'rb').read() self.attach(filename, content, mimetype)
attach_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, mimetype=None):\n filename = os.path.basename(path)\n content = open(path, 'rb').read()\n self.attach(filename, content, mimetype)\n", "role": "user" }, { "content": "attach_file", "role": "assistant" } ]
def x(self, filename, content, mimetype=None): if mimetype is None: mimetype, _ = mimetypes.guess_type(filename) if mimetype is None: mimetype = DEFAULT_ATTACHMENT_MIME_TYPE basetype, subtype = mimetype.split('/', 1) if basetype == 'text': attachment = SafeMIMEText(smart_bytes(content, DEFAULT_CHARSET), subtype, DEFAULT_CHARSET) else: attachment = MIMEBase(basetype, subtype) attachment.set_payload(content) encode_base64(attachment) if filename: attachment.add_header('Content-Disposition', 'attachment', filename =filename) return attachment
create_attachment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, content, mimetype=None):\n if mimetype is None:\n mimetype, _ = mimetypes.guess_type(filename)\n if mimetype is None:\n mimetype = DEFAULT_ATTACHMENT_MIME_TYPE\n basetype, subtype = mimetype.split('/', 1)\n if basetype == 'text':\n attachment = SafeMIMEText(smart_bytes(content, DEFAULT_CHARSET),\n subtype, DEFAULT_CHARSET)\n else:\n attachment = MIMEBase(basetype, subtype)\n attachment.set_payload(content)\n encode_base64(attachment)\n if filename:\n attachment.add_header('Content-Disposition', 'attachment', filename\n =filename)\n return attachment\n", "role": "user" }, { "content": "create_attachment", "role": "assistant" } ]
def x(self, content, mimetype=None): self.attach(content=content, mimetype=mimetype)
attach_alternative
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content, mimetype=None):\n self.attach(content=content, mimetype=mimetype)\n", "role": "user" }, { "content": "attach_alternative", "role": "assistant" } ]
def x(verbose=False, logger=None): if not verbose: logging.getLogger('requests').setLevel(logging.WARNING) format_ = ('%(asctime)s %(levelname)-8s %(name)-40s %(message)s' if verbose else '%(message)s') level = logging.DEBUG if verbose else logging.INFO handler_stdout = logging.StreamHandler(sys.stdout) handler_stdout.setFormatter(logging.Formatter(format_)) handler_stdout.setLevel(logging.DEBUG) handler_stdout.addFilter(InfoFilter()) handler_stderr = logging.StreamHandler(sys.stderr) handler_stderr.setFormatter(logging.Formatter(format_)) handler_stderr.setLevel(logging.WARNING) root_logger = logging.getLogger(logger) root_logger.setLevel(level) root_logger.addHandler(handler_stdout) root_logger.addHandler(handler_stderr)
setup_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose=False, logger=None):\n if not verbose:\n logging.getLogger('requests').setLevel(logging.WARNING)\n format_ = ('%(asctime)s %(levelname)-8s %(name)-40s %(message)s' if\n verbose else '%(message)s')\n level = logging.DEBUG if verbose else logging.INFO\n handler_stdout = logging.StreamHandler(sys.stdout)\n handler_stdout.setFormatter(logging.Formatter(format_))\n handler_stdout.setLevel(logging.DEBUG)\n handler_stdout.addFilter(InfoFilter())\n handler_stderr = logging.StreamHandler(sys.stderr)\n handler_stderr.setFormatter(logging.Formatter(format_))\n handler_stderr.setLevel(logging.WARNING)\n root_logger = logging.getLogger(logger)\n root_logger.setLevel(level)\n root_logger.addHandler(handler_stdout)\n root_logger.addHandler(handler_stderr)\n", "role": "user" }, { "content": "setup_logging", "role": "assistant" } ]
def x(func): @functools.wraps(func) def x(*args, **kwargs): decorator_logger = logging.getLogger('@with_log') decorator_logger.debug('Entering %s() function call.', func.__name__) log = kwargs.get('log', logging.getLogger(func.__name__)) try: ret = func(*args, log=log, **kwargs) finally: decorator_logger.debug('Leaving %s() function call.', func.__name__ ) return ret return wrapper
with_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n decorator_logger = logging.getLogger('@with_log')\n decorator_logger.debug('Entering %s() function call.', func.__name__)\n log = kwargs.get('log', logging.getLogger(func.__name__))\n try:\n ret = func(*args, log=log, **kwargs)\n finally:\n decorator_logger.debug('Leaving %s() function call.', func.__name__\n )\n return ret\n return wrapper\n", "role": "user" }, { "content": "with_log", "role": "assistant" } ]
def x(argv=None, environ=None): name = 'appveyor-artifacts' environ = environ or os.environ require = getattr(pkg_resources, 'require') commit, owner, pull_request, repo, tag = '', '', '', '', '' project = [p for p in require(name) if p.project_name == name][0] version = project.version args = docopt(__doc__, argv=argv or sys.argv[1:], version=version) if environ.get('TRAVIS') == 'true': commit = environ.get('TRAVIS_COMMIT', '') owner = environ.get('TRAVIS_REPO_SLUG', '/').split('/')[0] pull_request = environ.get('TRAVIS_PULL_REQUEST', '') if pull_request == 'false': pull_request = '' repo = environ.get('TRAVIS_REPO_SLUG', '/').split('/')[1].replace('_', '-') tag = environ.get('TRAVIS_TAG', '') commit = args['--commit'] or commit owner = args['--owner-name'] or owner pull_request = args['--pull-request'] or pull_request repo = args['--repo-name'] or repo tag = args['--tag-name'] or tag config = {'always_job_dirs': args['--always-job-dirs'], 'commit': commit, 'dir': args['--dir'] or '', 'ignore_errors': args[ '--ignore-errors'], 'job_name': args['--job-name'] or '', 'mangle_coverage': args['--mangle-coverage'], 'no_job_dirs': args[ '--no-job-dirs'] or '', 'owner': owner, 'pull_request': pull_request, 'raise': args['--raise'], 'repo': repo, 'tag': tag, 'verbose': args['--verbose']} return config
get_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None, environ=None):\n name = 'appveyor-artifacts'\n environ = environ or os.environ\n require = getattr(pkg_resources, 'require')\n commit, owner, pull_request, repo, tag = '', '', '', '', ''\n project = [p for p in require(name) if p.project_name == name][0]\n version = project.version\n args = docopt(__doc__, argv=argv or sys.argv[1:], version=version)\n if environ.get('TRAVIS') == 'true':\n commit = environ.get('TRAVIS_COMMIT', '')\n owner = environ.get('TRAVIS_REPO_SLUG', '/').split('/')[0]\n pull_request = environ.get('TRAVIS_PULL_REQUEST', '')\n if pull_request == 'false':\n pull_request = ''\n repo = environ.get('TRAVIS_REPO_SLUG', '/').split('/')[1].replace('_',\n '-')\n tag = environ.get('TRAVIS_TAG', '')\n commit = args['--commit'] or commit\n owner = args['--owner-name'] or owner\n pull_request = args['--pull-request'] or pull_request\n repo = args['--repo-name'] or repo\n tag = args['--tag-name'] or tag\n config = {'always_job_dirs': args['--always-job-dirs'], 'commit':\n commit, 'dir': args['--dir'] or '', 'ignore_errors': args[\n '--ignore-errors'], 'job_name': args['--job-name'] or '',\n 'mangle_coverage': args['--mangle-coverage'], 'no_job_dirs': args[\n '--no-job-dirs'] or '', 'owner': owner, 'pull_request':\n pull_request, 'raise': args['--raise'], 'repo': repo, 'tag': tag,\n 'verbose': args['--verbose']}\n return config\n", "role": "user" }, { "content": "get_arguments", "role": "assistant" } ]
def x(endpoint, log): url = API_PREFIX + endpoint headers = {'content-type': 'application/json'} response = None log.debug('Querying %s with headers %s.', url, headers) for i in range(QUERY_ATTEMPTS): try: try: response = requests.get(url, headers=headers, timeout=10) except (requests.exceptions.ConnectTimeout, requests.exceptions .ReadTimeout, requests.Timeout): log.error('Timed out waiting for reply from server.') raise HandledError except requests.ConnectionError: log.error('Unable to connect to server.') raise HandledError except HandledError: if i == QUERY_ATTEMPTS - 1: raise log.warning('Network error, retrying in 1 second...') time.sleep(1) else: break log.debug('Response status: %d', response.status_code) log.debug('Response headers: %s', str(response.headers)) log.debug('Response text: %s', response.text) if not response.ok: message = response.json().get('message') if message: log.error('HTTP %d: %s', response.status_code, message) else: log.error('HTTP %d: Unknown error: %s', response.status_code, response.text) raise HandledError try: return response.json() except ValueError: log.error('Failed to parse JSON: %s', response.text) raise HandledError
query_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(endpoint, log):\n url = API_PREFIX + endpoint\n headers = {'content-type': 'application/json'}\n response = None\n log.debug('Querying %s with headers %s.', url, headers)\n for i in range(QUERY_ATTEMPTS):\n try:\n try:\n response = requests.get(url, headers=headers, timeout=10)\n except (requests.exceptions.ConnectTimeout, requests.exceptions\n .ReadTimeout, requests.Timeout):\n log.error('Timed out waiting for reply from server.')\n raise HandledError\n except requests.ConnectionError:\n log.error('Unable to connect to server.')\n raise HandledError\n except HandledError:\n if i == QUERY_ATTEMPTS - 1:\n raise\n log.warning('Network error, retrying in 1 second...')\n time.sleep(1)\n else:\n break\n log.debug('Response status: %d', response.status_code)\n log.debug('Response headers: %s', str(response.headers))\n log.debug('Response text: %s', response.text)\n if not response.ok:\n message = response.json().get('message')\n if message:\n log.error('HTTP %d: %s', response.status_code, message)\n else:\n log.error('HTTP %d: Unknown error: %s', response.status_code,\n response.text)\n raise HandledError\n try:\n return response.json()\n except ValueError:\n log.error('Failed to parse JSON: %s', response.text)\n raise HandledError\n", "role": "user" }, { "content": "query_api", "role": "assistant" } ]
def x(config, log): if config['always_job_dirs'] and config['no_job_dirs']: log.error('Contradiction: --always-job-dirs and --no-job-dirs used.') raise HandledError if config['commit'] and not REGEX_COMMIT.match(config['commit']): log.error('No or invalid git commit obtained.') raise HandledError if config['dir'] and not os.path.isdir(config['dir']): log.error("Not a directory or doesn't exist: %s", config['dir']) raise HandledError if config['no_job_dirs'] not in ('', 'rename', 'overwrite', 'skip'): log.error( '--no-job-dirs has invalid value. Check --help for valid values.') raise HandledError if not config['owner'] or not REGEX_GENERAL.match(config['owner']): log.error('No or invalid repo owner name obtained.') raise HandledError if config['pull_request'] and not config['pull_request'].isdigit(): log.error('--pull-request is not a digit.') raise HandledError if not config['repo'] or not REGEX_GENERAL.match(config['repo']): log.error('No or invalid repo name obtained.') raise HandledError if config['tag'] and not REGEX_GENERAL.match(config['tag']): log.error('Invalid git tag obtained.') raise HandledError
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, log):\n if config['always_job_dirs'] and config['no_job_dirs']:\n log.error('Contradiction: --always-job-dirs and --no-job-dirs used.')\n raise HandledError\n if config['commit'] and not REGEX_COMMIT.match(config['commit']):\n log.error('No or invalid git commit obtained.')\n raise HandledError\n if config['dir'] and not os.path.isdir(config['dir']):\n log.error(\"Not a directory or doesn't exist: %s\", config['dir'])\n raise HandledError\n if config['no_job_dirs'] not in ('', 'rename', 'overwrite', 'skip'):\n log.error(\n '--no-job-dirs has invalid value. Check --help for valid values.')\n raise HandledError\n if not config['owner'] or not REGEX_GENERAL.match(config['owner']):\n log.error('No or invalid repo owner name obtained.')\n raise HandledError\n if config['pull_request'] and not config['pull_request'].isdigit():\n log.error('--pull-request is not a digit.')\n raise HandledError\n if not config['repo'] or not REGEX_GENERAL.match(config['repo']):\n log.error('No or invalid repo name obtained.')\n raise HandledError\n if config['tag'] and not REGEX_GENERAL.match(config['tag']):\n log.error('Invalid git tag obtained.')\n raise HandledError\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(config, log): url = '/projects/{0}/{1}/history?recordsNumber=10'.format(config[ 'owner'], config['repo']) log.debug('Querying AppVeyor history API for %s/%s...', config['owner'], config['repo']) json_data = query_api(url) if 'builds' not in json_data: log.error('Bad JSON reply: "builds" key missing.') raise HandledError for build in json_data['builds']: if config['tag'] and config['tag'] == build.get('tag'): log.debug('This is a tag build.') elif config['pull_request'] and config['pull_request'] == build.get( 'pullRequestId'): log.debug('This is a pull request build.') elif config['commit'] == build['commitId']: log.debug('This is a branch build.') else: continue log.debug('Build JSON dict: %s', str(build)) return build['version'] return None
query_build_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, log):\n url = '/projects/{0}/{1}/history?recordsNumber=10'.format(config[\n 'owner'], config['repo'])\n log.debug('Querying AppVeyor history API for %s/%s...', config['owner'],\n config['repo'])\n json_data = query_api(url)\n if 'builds' not in json_data:\n log.error('Bad JSON reply: \"builds\" key missing.')\n raise HandledError\n for build in json_data['builds']:\n if config['tag'] and config['tag'] == build.get('tag'):\n log.debug('This is a tag build.')\n elif config['pull_request'] and config['pull_request'] == build.get(\n 'pullRequestId'):\n log.debug('This is a pull request build.')\n elif config['commit'] == build['commitId']:\n log.debug('This is a branch build.')\n else:\n continue\n log.debug('Build JSON dict: %s', str(build))\n return build['version']\n return None\n", "role": "user" }, { "content": "query_build_version", "role": "assistant" } ]
def x(build_version, config, log): url = '/projects/{0}/{1}/build/{2}'.format(config['owner'], config[ 'repo'], build_version) log.debug('Querying AppVeyor version API for %s/%s at %s...', config[ 'owner'], config['repo'], build_version) json_data = query_api(url) if 'build' not in json_data: log.error('Bad JSON reply: "build" key missing.') raise HandledError if 'jobs' not in json_data['build']: log.error('Bad JSON reply: "jobs" key missing.') raise HandledError all_jobs = list() for job in json_data['build']['jobs']: if config['job_name'] and config['job_name'] == job['name']: log.debug('Filtering by job name: found match!') return [(job['jobId'], job['status'])] all_jobs.append((job['jobId'], job['status'])) if config['job_name']: log.error('Job name "%s" not found.', config['job_name']) raise HandledError return all_jobs
query_job_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(build_version, config, log):\n url = '/projects/{0}/{1}/build/{2}'.format(config['owner'], config[\n 'repo'], build_version)\n log.debug('Querying AppVeyor version API for %s/%s at %s...', config[\n 'owner'], config['repo'], build_version)\n json_data = query_api(url)\n if 'build' not in json_data:\n log.error('Bad JSON reply: \"build\" key missing.')\n raise HandledError\n if 'jobs' not in json_data['build']:\n log.error('Bad JSON reply: \"jobs\" key missing.')\n raise HandledError\n all_jobs = list()\n for job in json_data['build']['jobs']:\n if config['job_name'] and config['job_name'] == job['name']:\n log.debug('Filtering by job name: found match!')\n return [(job['jobId'], job['status'])]\n all_jobs.append((job['jobId'], job['status']))\n if config['job_name']:\n log.error('Job name \"%s\" not found.', config['job_name'])\n raise HandledError\n return all_jobs\n", "role": "user" }, { "content": "query_job_ids", "role": "assistant" } ]
def x(job_ids, log): jobs_artifacts = list() for job in job_ids: url = '/buildjobs/{0}/artifacts'.format(job) log.debug('Querying AppVeyor artifact API for %s...', job) json_data = query_api(url) for artifact in json_data: jobs_artifacts.append((job, artifact['fileName'], artifact['size']) ) return jobs_artifacts
query_artifacts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(job_ids, log):\n jobs_artifacts = list()\n for job in job_ids:\n url = '/buildjobs/{0}/artifacts'.format(job)\n log.debug('Querying AppVeyor artifact API for %s...', job)\n json_data = query_api(url)\n for artifact in json_data:\n jobs_artifacts.append((job, artifact['fileName'], artifact['size'])\n )\n return jobs_artifacts\n", "role": "user" }, { "content": "query_artifacts", "role": "assistant" } ]
def x(config, jobs_artifacts, log): artifacts = dict() if config['always_job_dirs']: job_dirs = True elif config['no_job_dirs']: job_dirs = False elif len(set(i[0] for i in jobs_artifacts)) == 1: log.debug('Only one job ID, automatically setting job_dirs = False.') job_dirs = False elif len(set(i[1] for i in jobs_artifacts)) == len(jobs_artifacts): log.debug( 'No local file conflicts, automatically setting job_dirs = False') job_dirs = False else: log.debug( 'Multiple job IDs with file conflicts, automatically setting job_dirs = True' ) job_dirs = True root_dir = config['dir'] or os.getcwd() for job, file_name, size in jobs_artifacts: artifact_url = '{0}/buildjobs/{1}/artifacts/{2}'.format(API_PREFIX, job, file_name) artifact_local = os.path.join(root_dir, job if job_dirs else '', file_name) if artifact_local in artifacts: if config['no_job_dirs'] == 'skip': log.debug('Skipping %s from %s', artifact_local, artifact_url) continue if config['no_job_dirs'] == 'rename': new_name = artifact_local while new_name in artifacts: path, ext = os.path.splitext(new_name) new_name = path + '_' + ext if ext else new_name + '_' log.debug('Renaming %s to %s from %s', artifact_local, new_name, artifact_url) artifact_local = new_name elif config['no_job_dirs'] == 'overwrite': log.debug('Overwriting %s from %s with %s', artifact_local, artifacts[artifact_local][0], artifact_url) else: log.error('Collision: %s from %s and %s', artifact_local, artifacts[artifact_local][0], artifact_url) raise HandledError artifacts[artifact_local] = artifact_url, size return artifacts
artifacts_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, jobs_artifacts, log):\n artifacts = dict()\n if config['always_job_dirs']:\n job_dirs = True\n elif config['no_job_dirs']:\n job_dirs = False\n elif len(set(i[0] for i in jobs_artifacts)) == 1:\n log.debug('Only one job ID, automatically setting job_dirs = False.')\n job_dirs = False\n elif len(set(i[1] for i in jobs_artifacts)) == len(jobs_artifacts):\n log.debug(\n 'No local file conflicts, automatically setting job_dirs = False')\n job_dirs = False\n else:\n log.debug(\n 'Multiple job IDs with file conflicts, automatically setting job_dirs = True'\n )\n job_dirs = True\n root_dir = config['dir'] or os.getcwd()\n for job, file_name, size in jobs_artifacts:\n artifact_url = '{0}/buildjobs/{1}/artifacts/{2}'.format(API_PREFIX,\n job, file_name)\n artifact_local = os.path.join(root_dir, job if job_dirs else '',\n file_name)\n if artifact_local in artifacts:\n if config['no_job_dirs'] == 'skip':\n log.debug('Skipping %s from %s', artifact_local, artifact_url)\n continue\n if config['no_job_dirs'] == 'rename':\n new_name = artifact_local\n while new_name in artifacts:\n path, ext = os.path.splitext(new_name)\n new_name = path + '_' + ext if ext else new_name + '_'\n log.debug('Renaming %s to %s from %s', artifact_local,\n new_name, artifact_url)\n artifact_local = new_name\n elif config['no_job_dirs'] == 'overwrite':\n log.debug('Overwriting %s from %s with %s', artifact_local,\n artifacts[artifact_local][0], artifact_url)\n else:\n log.error('Collision: %s from %s and %s', artifact_local,\n artifacts[artifact_local][0], artifact_url)\n raise HandledError\n artifacts[artifact_local] = artifact_url, size\n return artifacts\n", "role": "user" }, { "content": "artifacts_urls", "role": "assistant" } ]
def x(config, log): build_version = None for _ in range(3): build_version = query_build_version(config) if build_version: break log.info('Waiting for job to be queued...') time.sleep(SLEEP_FOR) if not build_version: log.error('Timed out waiting for job to be queued or build not found.') raise HandledError job_ids = list() valid_statuses = ['success', 'failed', 'running', 'queued'] while True: job_ids = query_job_ids(build_version, config) statuses = set([i[1] for i in job_ids]) if 'failed' in statuses: job = [i[0] for i in job_ids if i[1] == 'failed'][0] url = ('https://ci.appveyor.com/project/{0}/{1}/build/job/{2}'. format(config['owner'], config['repo'], job)) log.error('AppVeyor job failed: %s', url) raise HandledError if statuses == set(valid_statuses[:1]): log.info('Build successful. Found %d job%s.', len(job_ids), '' if len(job_ids) == 1 else 's') break if 'running' in statuses: log.info('Waiting for job%s to finish...', '' if len(job_ids) == 1 else 's') elif 'queued' in statuses: log.info('Waiting for all jobs to start...') else: log.error('Got unknown status from AppVeyor API: %s', ' '.join( statuses - set(valid_statuses))) raise HandledError time.sleep(SLEEP_FOR) artifacts = query_artifacts([i[0] for i in job_ids]) log.info('Found %d artifact%s.', len(artifacts), '' if len(artifacts) == 1 else 's') return artifacts_urls(config, artifacts) if artifacts else dict()
get_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, log):\n build_version = None\n for _ in range(3):\n build_version = query_build_version(config)\n if build_version:\n break\n log.info('Waiting for job to be queued...')\n time.sleep(SLEEP_FOR)\n if not build_version:\n log.error('Timed out waiting for job to be queued or build not found.')\n raise HandledError\n job_ids = list()\n valid_statuses = ['success', 'failed', 'running', 'queued']\n while True:\n job_ids = query_job_ids(build_version, config)\n statuses = set([i[1] for i in job_ids])\n if 'failed' in statuses:\n job = [i[0] for i in job_ids if i[1] == 'failed'][0]\n url = ('https://ci.appveyor.com/project/{0}/{1}/build/job/{2}'.\n format(config['owner'], config['repo'], job))\n log.error('AppVeyor job failed: %s', url)\n raise HandledError\n if statuses == set(valid_statuses[:1]):\n log.info('Build successful. Found %d job%s.', len(job_ids), '' if\n len(job_ids) == 1 else 's')\n break\n if 'running' in statuses:\n log.info('Waiting for job%s to finish...', '' if len(job_ids) ==\n 1 else 's')\n elif 'queued' in statuses:\n log.info('Waiting for all jobs to start...')\n else:\n log.error('Got unknown status from AppVeyor API: %s', ' '.join(\n statuses - set(valid_statuses)))\n raise HandledError\n time.sleep(SLEEP_FOR)\n artifacts = query_artifacts([i[0] for i in job_ids])\n log.info('Found %d artifact%s.', len(artifacts), '' if len(artifacts) ==\n 1 else 's')\n return artifacts_urls(config, artifacts) if artifacts else dict()\n", "role": "user" }, { "content": "get_urls", "role": "assistant" } ]
def x(config, local_path, url, expected_size, chunk_size, log): if not os.path.exists(os.path.dirname(local_path)): log.debug('Creating directory: %s', os.path.dirname(local_path)) os.makedirs(os.path.dirname(local_path)) if os.path.exists(local_path): log.error('File already exists: %s', local_path) raise HandledError relative_path = os.path.relpath(local_path, config['dir'] or os.getcwd()) print(' => {0}'.format(relative_path), end=' ', file=sys.stderr) log.debug('Writing to: %s', local_path) with open(local_path, 'wb') as handle: response = requests.get(url, stream=True) for chunk in response.iter_content(chunk_size): handle.write(chunk) print('.', end='', file=sys.stderr) file_size = os.path.getsize(local_path) print(' {0} bytes'.format(file_size), file=sys.stderr) if file_size != expected_size: log.error('Expected %d bytes but got %d bytes instead.', expected_size, file_size) raise HandledError
download_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, local_path, url, expected_size, chunk_size, log):\n if not os.path.exists(os.path.dirname(local_path)):\n log.debug('Creating directory: %s', os.path.dirname(local_path))\n os.makedirs(os.path.dirname(local_path))\n if os.path.exists(local_path):\n log.error('File already exists: %s', local_path)\n raise HandledError\n relative_path = os.path.relpath(local_path, config['dir'] or os.getcwd())\n print(' => {0}'.format(relative_path), end=' ', file=sys.stderr)\n log.debug('Writing to: %s', local_path)\n with open(local_path, 'wb') as handle:\n response = requests.get(url, stream=True)\n for chunk in response.iter_content(chunk_size):\n handle.write(chunk)\n print('.', end='', file=sys.stderr)\n file_size = os.path.getsize(local_path)\n print(' {0} bytes'.format(file_size), file=sys.stderr)\n if file_size != expected_size:\n log.error('Expected %d bytes but got %d bytes instead.',\n expected_size, file_size)\n raise HandledError\n", "role": "user" }, { "content": "download_file", "role": "assistant" } ]
def x(local_path, log): with open(local_path, mode='rb') as handle: if handle.read(13) != b'!coverage.py:': log.debug('File %s not a coverage file.', local_path) return handle.seek(0) file_contents = handle.read(52428800).decode('utf-8') for windows_path in set(REGEX_MANGLE.findall(file_contents)): unix_relative_path = windows_path.replace('\\\\', '/').split('/', 3)[-1 ] unix_absolute_path = os.path.abspath(unix_relative_path) if not os.path.isfile(unix_absolute_path): log.debug('Windows path: %s', windows_path) log.debug('Unix relative path: %s', unix_relative_path) log.error('No such file: %s', unix_absolute_path) raise HandledError file_contents = file_contents.replace(windows_path, unix_absolute_path) with open(local_path, 'w') as handle: handle.write(file_contents)
mangle_coverage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(local_path, log):\n with open(local_path, mode='rb') as handle:\n if handle.read(13) != b'!coverage.py:':\n log.debug('File %s not a coverage file.', local_path)\n return\n handle.seek(0)\n file_contents = handle.read(52428800).decode('utf-8')\n for windows_path in set(REGEX_MANGLE.findall(file_contents)):\n unix_relative_path = windows_path.replace('\\\\\\\\', '/').split('/', 3)[-1\n ]\n unix_absolute_path = os.path.abspath(unix_relative_path)\n if not os.path.isfile(unix_absolute_path):\n log.debug('Windows path: %s', windows_path)\n log.debug('Unix relative path: %s', unix_relative_path)\n log.error('No such file: %s', unix_absolute_path)\n raise HandledError\n file_contents = file_contents.replace(windows_path, unix_absolute_path)\n with open(local_path, 'w') as handle:\n handle.write(file_contents)\n", "role": "user" }, { "content": "mangle_coverage", "role": "assistant" } ]
def x(config, log): validate(config) paths_and_urls = get_urls(config) if not paths_and_urls: log.warning('No artifacts; nothing to download.') return total_size = 0 chunk_size = max(min(max(v[1] for v in paths_and_urls.values()) // 50, 1048576), 1024) log.info('Downloading file%s (1 dot ~ %d KiB):', '' if len( paths_and_urls) == 1 else 's', chunk_size // 1024) for size, local_path, url in sorted((v[1], k, v[0]) for k, v in paths_and_urls.items()): download_file(config, local_path, url, size, chunk_size) total_size += size if config['mangle_coverage']: mangle_coverage(local_path) log.info('Downloaded %d file(s), %d bytes total.', len(paths_and_urls), total_size)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, log):\n validate(config)\n paths_and_urls = get_urls(config)\n if not paths_and_urls:\n log.warning('No artifacts; nothing to download.')\n return\n total_size = 0\n chunk_size = max(min(max(v[1] for v in paths_and_urls.values()) // 50, \n 1048576), 1024)\n log.info('Downloading file%s (1 dot ~ %d KiB):', '' if len(\n paths_and_urls) == 1 else 's', chunk_size // 1024)\n for size, local_path, url in sorted((v[1], k, v[0]) for k, v in\n paths_and_urls.items()):\n download_file(config, local_path, url, size, chunk_size)\n total_size += size\n if config['mangle_coverage']:\n mangle_coverage(local_path)\n log.info('Downloaded %d file(s), %d bytes total.', len(paths_and_urls),\n total_size)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(): signal.signal(signal.SIGINT, lambda *_: getattr(os, '_exit')(0)) config = get_arguments() setup_logging(config['verbose']) try: main(config) except HandledError: if config['raise']: raise logging.critical('Failure.') sys.exit(0 if config['ignore_errors'] else 1)
entry_point
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n signal.signal(signal.SIGINT, lambda *_: getattr(os, '_exit')(0))\n config = get_arguments()\n setup_logging(config['verbose'])\n try:\n main(config)\n except HandledError:\n if config['raise']:\n raise\n logging.critical('Failure.')\n sys.exit(0 if config['ignore_errors'] else 1)\n", "role": "user" }, { "content": "entry_point", "role": "assistant" } ]
def x(self) ->t.List[t.Tuple[float, bytes]]: approximate_messages = self._receive_buffer.qsize() messages = [] for _ in range(approximate_messages): try: messages.append(self._receive_buffer.get_nowait()) except queue.Empty: break return messages
incoming_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->t.List[t.Tuple[float, bytes]]:\n approximate_messages = self._receive_buffer.qsize()\n messages = []\n for _ in range(approximate_messages):\n try:\n messages.append(self._receive_buffer.get_nowait())\n except queue.Empty:\n break\n return messages\n", "role": "user" }, { "content": "incoming_messages", "role": "assistant" } ]
def x(mapping, key, default=None): try: return mapping.get(key, default) except AttributeError: return default
safe_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mapping, key, default=None):\n try:\n return mapping.get(key, default)\n except AttributeError:\n return default\n", "role": "user" }, { "content": "safe_get", "role": "assistant" } ]
def x(row): callables = [] to_delete = [] to_add = [] for columns, value in row.items(): if isinstance(value, tuple): initial, fn = value else: initial = NOTHING fn = value if callable(fn) or inspect.isgenerator(fn): lgr.debug('Using %r as the initial value for columns %r in row %r', initial, columns, row) if not isinstance(columns, tuple): columns = columns, else: to_delete.append(columns) for column in columns: to_add.append((column, initial)) callables.append((columns, fn)) for column, value in to_add: row[column] = value for multi_columns in to_delete: del row[multi_columns] return callables
strip_callables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(row):\n callables = []\n to_delete = []\n to_add = []\n for columns, value in row.items():\n if isinstance(value, tuple):\n initial, fn = value\n else:\n initial = NOTHING\n fn = value\n if callable(fn) or inspect.isgenerator(fn):\n lgr.debug('Using %r as the initial value for columns %r in row %r',\n initial, columns, row)\n if not isinstance(columns, tuple):\n columns = columns,\n else:\n to_delete.append(columns)\n for column in columns:\n to_add.append((column, initial))\n callables.append((columns, fn))\n for column, value in to_add:\n row[column] = value\n for multi_columns in to_delete:\n del row[multi_columns]\n return callables\n", "role": "user" }, { "content": "strip_callables", "role": "assistant" } ]
def x(self, columns): self.columns = columns default = dict(elements.default('default_'), **_safe_get(self. init_style, 'default_', {})) self.style = elements.adopt({c: default for c in columns}, self.init_style) self.style['default_'] = default self.style['header_'] = self._compose('header_', {'align', 'width'}) self.style['aggregate_'] = self._compose('aggregate_', {'align', 'width'}) self.style['separator_'] = _safe_get(self.init_style, 'separator_', elements.default('separator_')) lgr.debug('Validating style %r', self.style) self.style['width_'] = _safe_get(self.init_style, 'width_', elements. default('width_')) elements.validate(self.style) self._setup_fields() ngaps = len(self.columns) - 1 self.width_separtor = len(self.style['separator_']) * ngaps lgr.debug('Calculated separator width as %d', self.width_separtor)
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, columns):\n self.columns = columns\n default = dict(elements.default('default_'), **_safe_get(self.\n init_style, 'default_', {}))\n self.style = elements.adopt({c: default for c in columns}, self.init_style)\n self.style['default_'] = default\n self.style['header_'] = self._compose('header_', {'align', 'width'})\n self.style['aggregate_'] = self._compose('aggregate_', {'align', 'width'})\n self.style['separator_'] = _safe_get(self.init_style, 'separator_',\n elements.default('separator_'))\n lgr.debug('Validating style %r', self.style)\n self.style['width_'] = _safe_get(self.init_style, 'width_', elements.\n default('width_'))\n elements.validate(self.style)\n self._setup_fields()\n ngaps = len(self.columns) - 1\n self.width_separtor = len(self.style['separator_']) * ngaps\n lgr.debug('Calculated separator width as %d', self.width_separtor)\n", "role": "user" }, { "content": "build", "role": "assistant" } ]
def x(self, name, attributes): name_style = _safe_get(self.init_style, name, elements.default(name)) if self.init_style is not None and name_style is not None: result = {} for col in self.columns: cstyle = {k: v for k, v in self.style[col].items() if k in attributes} result[col] = dict(cstyle, **name_style) return result
compose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, attributes):\n name_style = _safe_get(self.init_style, name, elements.default(name))\n if self.init_style is not None and name_style is not None:\n result = {}\n for col in self.columns:\n cstyle = {k: v for k, v in self.style[col].items() if k in\n attributes}\n result[col] = dict(cstyle, **name_style)\n return result\n", "role": "user" }, { "content": "compose", "role": "assistant" } ]
def x(self, row, proc_group): width_free = self.style['width_'] - sum([sum(self.fields[c].width for c in self.columns), self.width_separtor]) if width_free < 0: width_fixed = sum([sum(self.fields[c].width for c in self.columns if c not in self.autowidth_columns), self.width_separtor]) assert width_fixed > self.style['width_'], 'bug in width logic' raise elements.StyleError( 'Fixed widths specified in style exceed total width') elif width_free == 0: lgr.debug('Not checking widths; no free width left') return False lgr.debug('Checking width for row %r', row) adjusted = False for column in sorted(self.columns, key=lambda c: self.fields[c].width): if width_free < 1: lgr.debug('Giving up on checking widths; no free width left') break if column in self.autowidth_columns: field = self.fields[column] lgr.debug( 'Checking width of column %r (field width: %d, free width: %d)' , column, field.width, width_free) if field.pre[proc_group]: value = field(row[column], keys=[proc_group], exclude_post=True ) else: value = row[column] value = six.text_type(value) value_width = len(value) wmax = self.autowidth_columns[column]['max'] if value_width > field.width: width_old = field.width width_available = width_free + field.width width_new = min(value_width, wmax or width_available, width_available) if width_new > width_old: adjusted = True field.width = width_new lgr.debug( 'Adjusting width of %r column from %d to %d to accommodate value %r' , column, width_old, field.width, value) self._truncaters[column].length = field.width width_free -= field.width - width_old lgr.debug('Free width is %d after processing column %r', width_free, column) return adjusted
set_widths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row, proc_group):\n width_free = self.style['width_'] - sum([sum(self.fields[c].width for c in\n self.columns), self.width_separtor])\n if width_free < 0:\n width_fixed = sum([sum(self.fields[c].width for c in self.columns if\n c not in self.autowidth_columns), self.width_separtor])\n assert width_fixed > self.style['width_'], 'bug in width logic'\n raise elements.StyleError(\n 'Fixed widths specified in style exceed total width')\n elif width_free == 0:\n lgr.debug('Not checking widths; no free width left')\n return False\n lgr.debug('Checking width for row %r', row)\n adjusted = False\n for column in sorted(self.columns, key=lambda c: self.fields[c].width):\n if width_free < 1:\n lgr.debug('Giving up on checking widths; no free width left')\n break\n if column in self.autowidth_columns:\n field = self.fields[column]\n lgr.debug(\n 'Checking width of column %r (field width: %d, free width: %d)'\n , column, field.width, width_free)\n if field.pre[proc_group]:\n value = field(row[column], keys=[proc_group], exclude_post=True\n )\n else:\n value = row[column]\n value = six.text_type(value)\n value_width = len(value)\n wmax = self.autowidth_columns[column]['max']\n if value_width > field.width:\n width_old = field.width\n width_available = width_free + field.width\n width_new = min(value_width, wmax or width_available,\n width_available)\n if width_new > width_old:\n adjusted = True\n field.width = width_new\n lgr.debug(\n 'Adjusting width of %r column from %d to %d to accommodate value %r'\n , column, width_old, field.width, value)\n self._truncaters[column].length = field.width\n width_free -= field.width - width_old\n lgr.debug('Free width is %d after processing column %r',\n width_free, column)\n return adjusted\n", "role": "user" }, { "content": "set_widths", "role": "assistant" } ]
def x(self, style, adopt=True): fields = self.fields if style is not None: if adopt: style = elements.adopt(self.style, style) elements.validate(style) for column in self.columns: fields[column].add('pre', 'override', *self.procgen. pre_from_style(style[column])) fields[column].add('post', 'override', *self.procgen. post_from_style(style[column])) return 'override' else: return 'default'
proc_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style, adopt=True):\n fields = self.fields\n if style is not None:\n if adopt:\n style = elements.adopt(self.style, style)\n elements.validate(style)\n for column in self.columns:\n fields[column].add('pre', 'override', *self.procgen.\n pre_from_style(style[column]))\n fields[column].add('post', 'override', *self.procgen.\n post_from_style(style[column]))\n return 'override'\n else:\n return 'default'\n", "role": "user" }, { "content": "proc_group", "role": "assistant" } ]
def x(self, row, style=None, adopt=True): group = self._proc_group(style, adopt=adopt) if group == 'override': proc_keys = ['width', 'override'] else: proc_keys = None adjusted = self._set_widths(row, group) proc_fields = [self.fields[c](row[c], keys=proc_keys) for c in self.columns ] return self.style['separator_'].join(proc_fields) + '\n', adjusted
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row, style=None, adopt=True):\n group = self._proc_group(style, adopt=adopt)\n if group == 'override':\n proc_keys = ['width', 'override']\n else:\n proc_keys = None\n adjusted = self._set_widths(row, group)\n proc_fields = [self.fields[c](row[c], keys=proc_keys) for c in self.columns\n ]\n return self.style['separator_'].join(proc_fields) + '\\n', adjusted\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self): self.create_ssl_certs() config = {'bootstrap_servers': self.get_brokers(), 'security_protocol': 'SSL', 'ssl_cafile': self.ssl['ca']['file'].name, 'ssl_certfile': self.ssl['cert']['file'].name, 'ssl_keyfile': self.ssl['key'][ 'file'].name, 'ssl_check_hostname': False, 'ssl_password': None} self.config.update(config)
get_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.create_ssl_certs()\n config = {'bootstrap_servers': self.get_brokers(), 'security_protocol':\n 'SSL', 'ssl_cafile': self.ssl['ca']['file'].name, 'ssl_certfile':\n self.ssl['cert']['file'].name, 'ssl_keyfile': self.ssl['key'][\n 'file'].name, 'ssl_check_hostname': False, 'ssl_password': None}\n self.config.update(config)\n", "role": "user" }, { "content": "get_config", "role": "assistant" } ]
def x(self): return ['{}:{}'.format(parsedUrl.hostname, parsedUrl.port) for parsedUrl in [urlparse(url) for url in self.kafka_url.split(',')]]
get_brokers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return ['{}:{}'.format(parsedUrl.hostname, parsedUrl.port) for\n parsedUrl in [urlparse(url) for url in self.kafka_url.split(',')]]\n", "role": "user" }, { "content": "get_brokers", "role": "assistant" } ]
def x(self): for key, file in self.ssl.items(): file['file'] = self.create_temp_file(file['suffix'], file['content'])
create_ssl_certs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for key, file in self.ssl.items():\n file['file'] = self.create_temp_file(file['suffix'], file['content'])\n", "role": "user" }, { "content": "create_ssl_certs", "role": "assistant" } ]
def x(self, suffix, content): temp = tempfile.NamedTemporaryFile(suffix=suffix) temp.write(content.encode('latin1').decode('unicode_escape').encode( 'utf-8')) temp.seek(0) return temp
create_temp_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, suffix, content):\n temp = tempfile.NamedTemporaryFile(suffix=suffix)\n temp.write(content.encode('latin1').decode('unicode_escape').encode(\n 'utf-8'))\n temp.seek(0)\n return temp\n", "role": "user" }, { "content": "create_temp_file", "role": "assistant" } ]
def x(self, topics): if not self.topic_prefix or not topics: return topics if not isinstance(topics, str) and isinstance(topics, collections.Iterable ): return [(self.topic_prefix + topic) for topic in topics] return self.topic_prefix + topics
prefix_topic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topics):\n if not self.topic_prefix or not topics:\n return topics\n if not isinstance(topics, str) and isinstance(topics, collections.Iterable\n ):\n return [(self.topic_prefix + topic) for topic in topics]\n return self.topic_prefix + topics\n", "role": "user" }, { "content": "prefix_topic", "role": "assistant" } ]
def x(self, topic, *args, **kwargs): prefix_topic = self.heroku_kafka.prefix_topic(topic) return super(HerokuKafkaProducer, self).send(prefix_topic, *args, **kwargs)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic, *args, **kwargs):\n prefix_topic = self.heroku_kafka.prefix_topic(topic)\n return super(HerokuKafkaProducer, self).send(prefix_topic, *args, **kwargs)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, variable_path: str, default: t.Optional[t.Any]=None, coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]= None, **kwargs): raise NotImplementedError
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, variable_path: str, default: t.Optional[t.Any]=None,\n coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=\n None, **kwargs):\n raise NotImplementedError\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(val: t.Any, coerce_type: t.Optional[t.Type]=None, coercer: t.Optional [t.Callable]=None) ->t.Any: if not coerce_type and not coercer: return val if coerce_type and type(val) is coerce_type: return val if coerce_type and coerce_type is bool and not coercer: coercer = coerce_str_to_bool if coercer is None: coercer = coerce_type return coercer(val)
coerce
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val: t.Any, coerce_type: t.Optional[t.Type]=None, coercer: t.Optional\n [t.Callable]=None) ->t.Any:\n if not coerce_type and not coercer:\n return val\n if coerce_type and type(val) is coerce_type:\n return val\n if coerce_type and coerce_type is bool and not coercer:\n coercer = coerce_str_to_bool\n if coercer is None:\n coercer = coerce_type\n return coercer(val)\n", "role": "user" }, { "content": "coerce", "role": "assistant" } ]
def x(self): if self._client is not None: return self._client self._client = self.get_client() return self._client
client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._client is not None:\n return self._client\n self._client = self.get_client()\n return self._client\n", "role": "user" }, { "content": "client", "role": "assistant" } ]
def x(value, n): if n <= 0: raise ValueError('n must be positive') value_len = len(value) center = value_len // 2 left, right = value[:center], value[center:] if n >= value_len: return left, right n_todrop = value_len - n right_idx = n_todrop // 2 left_idx = right_idx + n_todrop % 2 return left[:-left_idx], right[right_idx:]
splice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, n):\n if n <= 0:\n raise ValueError('n must be positive')\n value_len = len(value)\n center = value_len // 2\n left, right = value[:center], value[center:]\n if n >= value_len:\n return left, right\n n_todrop = value_len - n\n right_idx = n_todrop // 2\n left_idx = right_idx + n_todrop % 2\n return left[:-left_idx], right[right_idx:]\n", "role": "user" }, { "content": "splice", "role": "assistant" } ]
def x(fp: t.IO, cfg: dict): fp.write(f'[uwsgi]\n') for key, val in cfg.items(): if isinstance(val, bool): val = str(val).lower() if isinstance(val, list): for v in val: fp.write(f'{key} = {v}\n') continue fp.write(f'{key} = {val}\n')
write_uwsgi_ini_cfg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fp: t.IO, cfg: dict):\n fp.write(f'[uwsgi]\\n')\n for key, val in cfg.items():\n if isinstance(val, bool):\n val = str(val).lower()\n if isinstance(val, list):\n for v in val:\n fp.write(f'{key} = {v}\\n')\n continue\n fp.write(f'{key} = {val}\\n')\n", "role": "user" }, { "content": "write_uwsgi_ini_cfg", "role": "assistant" } ]
def x(self, variable_path: str, default: t.Optional[t.Any]=None, coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]= None, **kwargs): if self.path_separator != self.consul_path_separator: variable_path = variable_path.replace(self.path_separator, self. consul_path_separator) if self.scope: _scope = self.consul_path_separator.join(self.scope.split(self. path_separator)) variable_path = '{0}/{1}'.format(_scope, variable_path) index, data = self.client.kv.get(variable_path, **kwargs) if data is None: return default val = data['Value'] if val is None: return val if val.startswith(self.object_serialize_prefix): _val = val[len(self.object_serialize_prefix):] bundle = self.object_deserialize(_val) if bundle == '': return self.coerce(bundle, coerce_type=coerce_type, coercer=coercer ) return bundle if isinstance(val, bytes): val = val.decode() return self.coerce(val, coerce_type=coerce_type, coercer=coercer)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, variable_path: str, default: t.Optional[t.Any]=None,\n coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=\n None, **kwargs):\n if self.path_separator != self.consul_path_separator:\n variable_path = variable_path.replace(self.path_separator, self.\n consul_path_separator)\n if self.scope:\n _scope = self.consul_path_separator.join(self.scope.split(self.\n path_separator))\n variable_path = '{0}/{1}'.format(_scope, variable_path)\n index, data = self.client.kv.get(variable_path, **kwargs)\n if data is None:\n return default\n val = data['Value']\n if val is None:\n return val\n if val.startswith(self.object_serialize_prefix):\n _val = val[len(self.object_serialize_prefix):]\n bundle = self.object_deserialize(_val)\n if bundle == '':\n return self.coerce(bundle, coerce_type=coerce_type, coercer=coercer\n )\n return bundle\n if isinstance(val, bytes):\n val = val.decode()\n return self.coerce(val, coerce_type=coerce_type, coercer=coercer)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(itunessd): header_size = get_table_size(header_table) header_chunk = itunessd[0:header_size] header_dic = chunk_to_dic(header_chunk, header_table) tracks_header_dic, tracks_offsets = get_dic_sub_numbers(itunessd, header_dic['tracks_header_offset'], tracks_header_table) tracks_dics = [] for track_offset in tracks_offsets: _track_dic = chunk_to_dic(itunessd[track_offset:], track_table) track_dic = get_custom_fields_dic(_track_dic, track_table) tracks_dics.append(track_dic) playlists_header_dic, playlists_offsets = get_dic_sub_numbers(itunessd, header_dic['playlists_header_offset'], playlists_header_table) playlists_dics_and_indexes = [] for playlist_offset in playlists_offsets: _playlist_header_dic, indexes_of_tracks = get_dic_sub_numbers(itunessd, playlist_offset, playlist_header_table) playlist_header_dic = get_custom_fields_dic(_playlist_header_dic, playlist_header_table) playlists_dics_and_indexes.append((playlist_header_dic, indexes_of_tracks)) return get_custom_fields_dic(header_dic, header_table ), tracks_dics, playlists_dics_and_indexes
itunessd_to_dics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(itunessd):\n header_size = get_table_size(header_table)\n header_chunk = itunessd[0:header_size]\n header_dic = chunk_to_dic(header_chunk, header_table)\n tracks_header_dic, tracks_offsets = get_dic_sub_numbers(itunessd,\n header_dic['tracks_header_offset'], tracks_header_table)\n tracks_dics = []\n for track_offset in tracks_offsets:\n _track_dic = chunk_to_dic(itunessd[track_offset:], track_table)\n track_dic = get_custom_fields_dic(_track_dic, track_table)\n tracks_dics.append(track_dic)\n playlists_header_dic, playlists_offsets = get_dic_sub_numbers(itunessd,\n header_dic['playlists_header_offset'], playlists_header_table)\n playlists_dics_and_indexes = []\n for playlist_offset in playlists_offsets:\n _playlist_header_dic, indexes_of_tracks = get_dic_sub_numbers(itunessd,\n playlist_offset, playlist_header_table)\n playlist_header_dic = get_custom_fields_dic(_playlist_header_dic,\n playlist_header_table)\n playlists_dics_and_indexes.append((playlist_header_dic,\n indexes_of_tracks))\n return get_custom_fields_dic(header_dic, header_table\n ), tracks_dics, playlists_dics_and_indexes\n", "role": "user" }, { "content": "itunessd_to_dics", "role": "assistant" } ]
def x(header_dic, tracks_dics, playlists_dics_and_indexes): header_dic['length'] = get_table_size(header_table) header_dic['number_of_tracks'] = len(tracks_dics) header_dic['number_of_playlists'] = len(playlists_dics_and_indexes) header_dic['number_of_tracks2'] = 0 header_part_size = get_table_size(header_table) tracks_header_dic = {'length': get_table_size(tracks_header_table) + 4 * len(tracks_dics), 'number_of_tracks': len(tracks_dics)} tracks_header_chunk = dic_to_chunk(tracks_header_dic, tracks_header_table) [track_dic.update({'length': get_table_size(track_table)}) for track_dic in tracks_dics] _tracks_chunks = [dic_to_chunk(dic, track_table) for dic in tracks_dics] all_tracks_chunck = b''.join(_tracks_chunks) _length_before_tracks_offsets = header_part_size + len(tracks_header_chunk) tracks_offsets_chunck = get_offsets_chunk(_length_before_tracks_offsets, _tracks_chunks) track_part_chunk = (tracks_header_chunk + tracks_offsets_chunck + all_tracks_chunck) _playlists_dics = [playlist_indexes[0] for playlist_indexes in playlists_dics_and_indexes] _types = [playlist_dic['type'] for playlist_dic in _playlists_dics] playlists_header_dic = {'length': get_table_size(playlists_header_table ) + 4 * len(playlists_dics_and_indexes), 'number_of_all_playlists': len(_types), 'flag1': 4294967295 if _types.count(NORMAL) == 0 else 1, 'number_of_normal_playlists': _types.count(NORMAL), 'flag2': 4294967295 if _types.count(AUDIOBOOK) == 0 else _types.count(MASTER ) + _types.count(NORMAL) + _types.count(PODCAST), 'number_of_audiobook_playlists': _types.count(AUDIOBOOK), 'flag3': 4294967295 if _types.count(PODCAST) == 0 else _types.count(1) + _types.count(NORMAL), 'number_of_podcast_playlists': _types.count( PODCAST)} playlists_header_chunk = dic_to_chunk(playlists_header_dic, playlists_header_table) _playlists_chunks = [] for playlist_header_dic, indexes in playlists_dics_and_indexes: dic = playlist_header_dic.copy() dic['length'] = get_table_size(playlist_header_table) + 4 * len(indexes ) dic['number_of_all_track'] = len(indexes) dic['number_of_normal_track'] = len(indexes) if dic['type'] in (1, 2 ) else 0 if dic['type'] == MASTER: header_dic['number_of_tracks2'] = len(indexes) _playlist_header_chunk = dic_to_chunk(dic, playlist_header_table) _indexes_chunk = b''.join([i.to_bytes(4, 'little') for i in indexes]) playlist_chunk = _playlist_header_chunk + _indexes_chunk _playlists_chunks.append(playlist_chunk) all_playlists_chunk = b''.join(_playlists_chunks) _length_before_playlists_offsets = header_part_size + len(track_part_chunk ) + len(playlists_header_chunk) playlists_offsets_chunk = get_offsets_chunk( _length_before_playlists_offsets, _playlists_chunks) playlists_part_chunk = (playlists_header_chunk + playlists_offsets_chunk + all_playlists_chunk) header_dic['tracks_header_offset'] = header_part_size header_dic['playlists_header_offset'] = header_part_size + len( track_part_chunk) header_part_chunk = dic_to_chunk(header_dic, header_table) itunessd = header_part_chunk + track_part_chunk + playlists_part_chunk return itunessd
dics_to_itunessd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(header_dic, tracks_dics, playlists_dics_and_indexes):\n header_dic['length'] = get_table_size(header_table)\n header_dic['number_of_tracks'] = len(tracks_dics)\n header_dic['number_of_playlists'] = len(playlists_dics_and_indexes)\n header_dic['number_of_tracks2'] = 0\n header_part_size = get_table_size(header_table)\n tracks_header_dic = {'length': get_table_size(tracks_header_table) + 4 *\n len(tracks_dics), 'number_of_tracks': len(tracks_dics)}\n tracks_header_chunk = dic_to_chunk(tracks_header_dic, tracks_header_table)\n [track_dic.update({'length': get_table_size(track_table)}) for\n track_dic in tracks_dics]\n _tracks_chunks = [dic_to_chunk(dic, track_table) for dic in tracks_dics]\n all_tracks_chunck = b''.join(_tracks_chunks)\n _length_before_tracks_offsets = header_part_size + len(tracks_header_chunk)\n tracks_offsets_chunck = get_offsets_chunk(_length_before_tracks_offsets,\n _tracks_chunks)\n track_part_chunk = (tracks_header_chunk + tracks_offsets_chunck +\n all_tracks_chunck)\n _playlists_dics = [playlist_indexes[0] for playlist_indexes in\n playlists_dics_and_indexes]\n _types = [playlist_dic['type'] for playlist_dic in _playlists_dics]\n playlists_header_dic = {'length': get_table_size(playlists_header_table\n ) + 4 * len(playlists_dics_and_indexes), 'number_of_all_playlists':\n len(_types), 'flag1': 4294967295 if _types.count(NORMAL) == 0 else \n 1, 'number_of_normal_playlists': _types.count(NORMAL), 'flag2': \n 4294967295 if _types.count(AUDIOBOOK) == 0 else _types.count(MASTER\n ) + _types.count(NORMAL) + _types.count(PODCAST),\n 'number_of_audiobook_playlists': _types.count(AUDIOBOOK), 'flag3': \n 4294967295 if _types.count(PODCAST) == 0 else _types.count(1) +\n _types.count(NORMAL), 'number_of_podcast_playlists': _types.count(\n PODCAST)}\n playlists_header_chunk = dic_to_chunk(playlists_header_dic,\n playlists_header_table)\n _playlists_chunks = []\n for playlist_header_dic, indexes in playlists_dics_and_indexes:\n dic = playlist_header_dic.copy()\n dic['length'] = get_table_size(playlist_header_table) + 4 * len(indexes\n )\n dic['number_of_all_track'] = len(indexes)\n dic['number_of_normal_track'] = len(indexes) if dic['type'] in (1, 2\n ) else 0\n if dic['type'] == MASTER:\n header_dic['number_of_tracks2'] = len(indexes)\n _playlist_header_chunk = dic_to_chunk(dic, playlist_header_table)\n _indexes_chunk = b''.join([i.to_bytes(4, 'little') for i in indexes])\n playlist_chunk = _playlist_header_chunk + _indexes_chunk\n _playlists_chunks.append(playlist_chunk)\n all_playlists_chunk = b''.join(_playlists_chunks)\n _length_before_playlists_offsets = header_part_size + len(track_part_chunk\n ) + len(playlists_header_chunk)\n playlists_offsets_chunk = get_offsets_chunk(\n _length_before_playlists_offsets, _playlists_chunks)\n playlists_part_chunk = (playlists_header_chunk +\n playlists_offsets_chunk + all_playlists_chunk)\n header_dic['tracks_header_offset'] = header_part_size\n header_dic['playlists_header_offset'] = header_part_size + len(\n track_part_chunk)\n header_part_chunk = dic_to_chunk(header_dic, header_table)\n itunessd = header_part_chunk + track_part_chunk + playlists_part_chunk\n return itunessd\n", "role": "user" }, { "content": "dics_to_itunessd", "role": "assistant" } ]
def x(self, kind, key, *values): if kind == 'pre': procs = self.pre elif kind == 'post': procs = self.post else: raise ValueError("kind is not 'pre' or 'post'") self._check_if_registered(key) procs[key] = values
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kind, key, *values):\n if kind == 'pre':\n procs = self.pre\n elif kind == 'post':\n procs = self.post\n else:\n raise ValueError(\"kind is not 'pre' or 'post'\")\n self._check_if_registered(key)\n procs[key] = values\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, _, result): return self._fmt.format(six.text_type(result))
format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _, result):\n return self._fmt.format(six.text_type(result))\n", "role": "user" }, { "content": "format", "role": "assistant" } ]
def x(function): def x(_, result): if isinstance(result, Nothing): return result lgr.debug('Transforming %r with %r', result, function) try: return function(result) except: exctype, value, tb = sys.exc_info() try: new_exc = StyleFunctionError(function, exctype, value) new_exc.__cause__ = None six.reraise(StyleFunctionError, new_exc, tb) finally: del tb return transform_fn
transform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function):\n\n def x(_, result):\n if isinstance(result, Nothing):\n return result\n lgr.debug('Transforming %r with %r', result, function)\n try:\n return function(result)\n except:\n exctype, value, tb = sys.exc_info()\n try:\n new_exc = StyleFunctionError(function, exctype, value)\n new_exc.__cause__ = None\n six.reraise(StyleFunctionError, new_exc, tb)\n finally:\n del tb\n return transform_fn\n", "role": "user" }, { "content": "transform", "role": "assistant" } ]
def x(self, style_key, style_value): if self.style_types[style_key] is bool: style_attr = style_key else: style_attr = style_value def x(_, result): return self.render(style_attr, result) return proc
by_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style_key, style_value):\n if self.style_types[style_key] is bool:\n style_attr = style_key\n else:\n style_attr = style_value\n\n def x(_, result):\n return self.render(style_attr, result)\n return proc\n", "role": "user" }, { "content": "by_key", "role": "assistant" } ]
def x(self, style_key, style_value): style_attr = style_key if self.style_types[style_key] is bool else None mapping = style_value['lookup'] def x(value, result): try: lookup_value = mapping[value] except (KeyError, TypeError): return result if not lookup_value: return result return self.render(style_attr or lookup_value, result) return proc
by_lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style_key, style_value):\n style_attr = style_key if self.style_types[style_key] is bool else None\n mapping = style_value['lookup']\n\n def x(value, result):\n try:\n lookup_value = mapping[value]\n except (KeyError, TypeError):\n return result\n if not lookup_value:\n return result\n return self.render(style_attr or lookup_value, result)\n return proc\n", "role": "user" }, { "content": "by_lookup", "role": "assistant" } ]
def x(self, style_key, style_value, re_flags=0): style_attr = style_key if self.style_types[style_key] is bool else None regexps = [(re.compile(r, flags=re_flags), v) for r, v in style_value[ 're_lookup']] def x(value, result): if not isinstance(value, six.string_types): return result for r, lookup_value in regexps: if r.search(value): if not lookup_value: return result return self.render(style_attr or lookup_value, result) return result return proc
by_re_lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style_key, style_value, re_flags=0):\n style_attr = style_key if self.style_types[style_key] is bool else None\n regexps = [(re.compile(r, flags=re_flags), v) for r, v in style_value[\n 're_lookup']]\n\n def x(value, result):\n if not isinstance(value, six.string_types):\n return result\n for r, lookup_value in regexps:\n if r.search(value):\n if not lookup_value:\n return result\n return self.render(style_attr or lookup_value, result)\n return result\n return proc\n", "role": "user" }, { "content": "by_re_lookup", "role": "assistant" } ]
def x(self, style_key, style_value): style_attr = style_key if self.style_types[style_key] is bool else None intervals = style_value['interval'] def x(value, result): try: value = float(value) except TypeError: return result for start, end, lookup_value in intervals: if start is None: start = float('-inf') if end is None: end = float('inf') if start <= value < end: if not lookup_value: return result return self.render(style_attr or lookup_value, result) return result return proc
by_interval_lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style_key, style_value):\n style_attr = style_key if self.style_types[style_key] is bool else None\n intervals = style_value['interval']\n\n def x(value, result):\n try:\n value = float(value)\n except TypeError:\n return result\n for start, end, lookup_value in intervals:\n if start is None:\n start = float('-inf')\n if end is None:\n end = float('inf')\n if start <= value < end:\n if not lookup_value:\n return result\n return self.render(style_attr or lookup_value, result)\n return result\n return proc\n", "role": "user" }, { "content": "by_interval_lookup", "role": "assistant" } ]
def x(self, column_style): flanks = Flanks() yield flanks.split_flanks fns = {'simple': self.by_key, 'lookup': self.by_lookup, 're_lookup': self.by_re_lookup, 'interval': self.by_interval_lookup} for key in self.style_types: if key not in column_style: continue vtype = value_type(column_style[key]) fn = fns[vtype] args = [key, column_style[key]] if vtype == 're_lookup': args.append(sum(getattr(re, f) for f in column_style.get( 're_flags', []))) yield fn(*args) yield flanks.join_flanks
post_from_style
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, column_style):\n flanks = Flanks()\n yield flanks.split_flanks\n fns = {'simple': self.by_key, 'lookup': self.by_lookup, 're_lookup':\n self.by_re_lookup, 'interval': self.by_interval_lookup}\n for key in self.style_types:\n if key not in column_style:\n continue\n vtype = value_type(column_style[key])\n fn = fns[vtype]\n args = [key, column_style[key]]\n if vtype == 're_lookup':\n args.append(sum(getattr(re, f) for f in column_style.get(\n 're_flags', [])))\n yield fn(*args)\n yield flanks.join_flanks\n", "role": "user" }, { "content": "post_from_style", "role": "assistant" } ]
def x(self, _, result): if not result.strip(): self.left, self.right = '', '' return result match = self.flank_re.match(result) assert match, 'This regexp should always match' self.left, self.right = match.group(1), match.group(3) return match.group(2)
split_flanks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _, result):\n if not result.strip():\n self.left, self.right = '', ''\n return result\n match = self.flank_re.match(result)\n assert match, 'This regexp should always match'\n self.left, self.right = match.group(1), match.group(3)\n return match.group(2)\n", "role": "user" }, { "content": "split_flanks", "role": "assistant" } ]
def x(self, style_attr, value): if not value.strip(): return value return six.text_type(getattr(self.term, style_attr)) + value
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style_attr, value):\n if not value.strip():\n return value\n return six.text_type(getattr(self.term, style_attr)) + value\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, column_style): for proc in super(TermProcessors, self).post_from_style(column_style): if proc.__name__ == 'join_flanks': yield self._maybe_reset() yield proc
post_from_style
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, column_style):\n for proc in super(TermProcessors, self).post_from_style(column_style):\n if proc.__name__ == 'join_flanks':\n yield self._maybe_reset()\n yield proc\n", "role": "user" }, { "content": "post_from_style", "role": "assistant" } ]
def x(self, cback): return self.signal.connect(cback, subscribers=self.subscribers, instance=self.instance)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cback):\n return self.signal.connect(cback, subscribers=self.subscribers,\n instance=self.instance)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, cback): return self.signal.disconnect(cback, subscribers=self.subscribers, instance=self.instance)
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cback):\n return self.signal.disconnect(cback, subscribers=self.subscribers,\n instance=self.instance)\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self): data = self.signal.instance_subscribers if self.instance not in data: data[self.instance] = MethodAwareWeakList() return data[self.instance]
get_subscribers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = self.signal.instance_subscribers\n if self.instance not in data:\n data[self.instance] = MethodAwareWeakList()\n return data[self.instance]\n", "role": "user" }, { "content": "get_subscribers", "role": "assistant" } ]
def x(self, *args, **kwargs): loop = kwargs.pop('loop', self.loop) return self.signal.prepare_notification(subscribers=self.subscribers, instance=self.instance, loop=loop).run(*args, **kwargs)
notify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n loop = kwargs.pop('loop', self.loop)\n return self.signal.prepare_notification(subscribers=self.subscribers,\n instance=self.instance, loop=loop).run(*args, **kwargs)\n", "role": "user" }, { "content": "notify", "role": "assistant" } ]
def x(self, args=None, kwargs=None, **opts): if args is None: args = () if kwargs is None: kwargs = {} loop = kwargs.pop('loop', self.loop) return self.signal.prepare_notification(subscribers=self.subscribers, instance=self.instance, loop=loop, **opts).run(*args, **kwargs)
notify_prepared
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args=None, kwargs=None, **opts):\n if args is None:\n args = ()\n if kwargs is None:\n kwargs = {}\n loop = kwargs.pop('loop', self.loop)\n return self.signal.prepare_notification(subscribers=self.subscribers,\n instance=self.instance, loop=loop, **opts).run(*args, **kwargs)\n", "role": "user" }, { "content": "notify_prepared", "role": "assistant" } ]
def x(self, cback, subscribers=None, instance=None): if subscribers is None: subscribers = self.subscribers if self._fconnect is not None: def x(cback): self._connect(subscribers, cback) notify = partial(self._notify_one, instance) if instance is not None: result = self._fconnect(instance, cback, subscribers, _connect, notify) else: result = self._fconnect(cback, subscribers, _connect, notify) if inspect.isawaitable(result): result = pull_result(result) else: self._connect(subscribers, cback) result = None return result
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cback, subscribers=None, instance=None):\n if subscribers is None:\n subscribers = self.subscribers\n if self._fconnect is not None:\n\n def x(cback):\n self._connect(subscribers, cback)\n notify = partial(self._notify_one, instance)\n if instance is not None:\n result = self._fconnect(instance, cback, subscribers, _connect,\n notify)\n else:\n result = self._fconnect(cback, subscribers, _connect, notify)\n if inspect.isawaitable(result):\n result = pull_result(result)\n else:\n self._connect(subscribers, cback)\n result = None\n return result\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, cback, subscribers=None, instance=None): if subscribers is None: subscribers = self.subscribers if self._fdisconnect is not None: def x(cback): self._disconnect(subscribers, cback) notify = partial(self._notify_one, instance) if instance is not None: result = self._fdisconnect(instance, cback, subscribers, _disconnect, notify) else: result = self._fdisconnect(cback, subscribers, _disconnect, notify) if inspect.isawaitable(result): result = pull_result(result) else: self._disconnect(subscribers, cback) result = None return result
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cback, subscribers=None, instance=None):\n if subscribers is None:\n subscribers = self.subscribers\n if self._fdisconnect is not None:\n\n def x(cback):\n self._disconnect(subscribers, cback)\n notify = partial(self._notify_one, instance)\n if instance is not None:\n result = self._fdisconnect(instance, cback, subscribers,\n _disconnect, notify)\n else:\n result = self._fdisconnect(cback, subscribers, _disconnect, notify)\n if inspect.isawaitable(result):\n result = pull_result(result)\n else:\n self._disconnect(subscribers, cback)\n result = None\n return result\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self, instance, loop, *args, **kwargs): if self.external_signaller is not None: return self.external_signaller.publish_signal(self, instance, loop, args, kwargs)
ext_publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance, loop, *args, **kwargs):\n if self.external_signaller is not None:\n return self.external_signaller.publish_signal(self, instance, loop,\n args, kwargs)\n", "role": "user" }, { "content": "ext_publish", "role": "assistant" } ]