source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(prefix): if not prefix.isdigit(): name = prefix prefix = None for row in hucs: if row.basin.lower() == name.lower(): if prefix is None or len(row.huc) < len(prefix): prefix = row.huc if prefix is None: return [] huc8s = [] for row in hucs: if len(row.huc) == 8 and row.huc.startswith(prefix): huc8s.append(row.huc) return huc8s
get_huc8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix):\n if not prefix.isdigit():\n name = prefix\n prefix = None\n for row in hucs:\n if row.basin.lower() == name.lower(...
def x(self): super(AcisIO, self).parse() for row in self.data: if 'meta' in row: row = row['meta'] if 'll' in row: row['longitude'], row['latitude'] = row['ll'] del row['ll']
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n super(AcisIO, self).parse()\n for row in self.data:\n if 'meta' in row:\n row = row['meta']\n if 'll' in row:\n ...
def x(self, field, value): if field == 'sids': ids = {} for idinfo in value: id, auth = idinfo.split(' ') auth = AUTHORITY_BY_ID[auth] ids[auth['name']] = id return ids if field == 'valid_daterange': elems, complex = self.getlist('parameter') ranges = {} for elem, val in zip(elems, value): if val: start, end = val ranges[elem] = parse_date(start), parse_date(end) else: ranges[elem] = None, None return ranges return value
map_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field, value):\n if field == 'sids':\n ids = {}\n for idinfo in value:\n id, auth = idinfo.split(' ')\n auth = AUT...
def x(self): field_names = super(StationDataIO, self).get_field_names() if set(field_names) == set(['meta', 'data']): meta_fields = list(self.data[0]['meta'].keys()) if set(meta_fields) < set(self.getvalue('meta')): meta_fields = self.getvalue('meta') field_names = list(meta_fields) + ['data'] return field_names
get_field_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n field_names = super(StationDataIO, self).get_field_names()\n if set(field_names) == set(['meta', 'data']):\n meta_fields = list(self.data...
def x(self, data): item = data['meta'] elems, elems_is_complex = self.getlist('parameter') if elems_is_complex: elems = [elem['name'] for elem in elems] add, add_is_complex = self.getlist('add') item['data'] = DataIO(data=data['data'], parameter=elems, add=add, start_date=self.getvalue('start_date'), end_date=self.getvalue( 'end_date')) return super(StationDataIO, self).usable_item(item)
usable_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n item = data['meta']\n elems, elems_is_complex = self.getlist('parameter')\n if elems_is_complex:\n elems = [elem['name'] for ele...
def x(self, data): dates = fill_date_range(self.start_date, self.end_date) for row, date in zip(data, dates): data = {'date': date} if self.add: for elem, vals in zip(self.parameter, row): data['elem'] = elem for add, val in zip(['value'] + self.add, vals): data[add] = val yield data else: for elem, val in zip(self.parameter, row): if elem.isdigit(): elem = 'e%s' % elem data[elem] = val yield data
load_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n dates = fill_date_range(self.start_date, self.end_date)\n for row, date in zip(data, dates):\n data = {'date': date}\n if se...
def x(self): if self.add: return ['date', 'elem', 'value'] + [flag for flag in self.add] else: field_names = ['date'] for elem in self.parameter: if elem.isdigit(): elem = 'e%s' % elem field_names.append(elem) return field_names
get_field_names
[ { "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.add:\n return ['date', 'elem', 'value'] + [flag for flag in self.add]\n else:\n field_names = ['date']\n for elem i...
def x(start_date, end_date, date_format=None): if date_format: start_date = datetime.strptime(start_date, date_format).date() end_date = datetime.strptime(end_date, date_format).date() date_list = [] while start_date <= end_date: date_list.append(start_date) start_date = start_date + timedelta(days=1) return date_list
fill_date_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_date, end_date, date_format=None):\n if date_format:\n start_date = datetime.strptime(start_date, date_format).date()\n end_date = datet...
def x(self, value): if self.required and value is None: raise ValueError('%s is required!' % self.name) elif self.ignored and value is not None: warn('%s is ignored for this class!' % self.name) elif not self.multi and isinstance(value, (list, tuple)): if len(value) > 1: raise ValueError('%s does not accept multiple values!' % self.name) return value[0] elif self.multi and value is not None: if not isinstance(value, (list, tuple)): return [value] return value
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if self.required and value is None:\n raise ValueError('%s is required!' % self.name)\n elif self.ignored and value is not None:\n...
def x(self, value): value = super(DateOpt, self).parse(value) if value is None: return None if isinstance(value, str): value = self.parse_date(value) if isinstance(value, datetime) and self.date_only: value = value.date() return value
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n value = super(DateOpt, self).parse(value)\n if value is None:\n return None\n if isinstance(value, str):\n value = self....
def x(cls): attr = '_filter_options_%s' % id(cls) options = getattr(cls, attr, {}) if options: return options for key in dir(cls): val = getattr(cls, key) if isinstance(val, FilterOpt): options[key] = val setattr(cls, attr, options) return options
get_filter_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n attr = '_filter_options_%s' % id(cls)\n options = getattr(cls, attr, {})\n if options:\n return options\n for key in dir(cls):\n ...
def x(self, name): value = self.getvalue(name) complex = {} def x(val): if isinstance(val, dict): complex['complex'] = True return val else: return str(val) if value is None: pass else: value = [str_value(val) for val in as_list(value)] return value, bool(complex)
getlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n value = self.getvalue(name)\n complex = {}\n\n def x(val):\n if isinstance(val, dict):\n complex['complex'] = True\n ...
def x(self, into, name): value, complex = self.getlist(name) if value is not None: into[name] = value return complex
set_param
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, into, name):\n value, complex = self.getlist(name)\n if value is not None:\n into[name] = value\n return complex\n", "role": "user" ...
def x(self): params = {} complex = False for name, opt in self.filter_options.items(): if opt.ignored: continue if self.set_param(params, name): complex = True return params, complex
get_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = {}\n complex = False\n for name, opt in self.filter_options.items():\n if opt.ignored:\n continue\n if self...
def x(self): params, complex = self.get_params() url_params = self.default_params.copy() url_params.update(self.serialize_params(params, complex)) return url_params
params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params, complex = self.get_params()\n url_params = self.default_params.copy()\n url_params.update(self.serialize_params(params, complex))\n ...
def x(self, params, complex=False): if complex: raise NotImplementedError('Cannot serialize %s!' % params) else: return {self.get_url_param(key): ','.join(val) for key, val in params.items()}
serialize_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params, complex=False):\n if complex:\n raise NotImplementedError('Cannot serialize %s!' % params)\n else:\n return {self.get_url_par...
def x(self): if self._obs_value in self.MISSING: return 'MISSING' if self._obs_units == self.MILLIMETERS: return round(self.INCH_CONVERSION_FACTOR * self._obs_value, 4)
get_inches
[ { "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._obs_value in self.MISSING:\n return 'MISSING'\n if self._obs_units == self.MILLIMETERS:\n return round(self.INCH_CONVERSI...
def x(self): return ( """ Weather Station: %s (%s, %s) Elevation: %s m Time: %s UTC Air Temperature: %s C (%s F) Wind Speed: %s m/s (%s mph) Wind Direction: %s Present Weather Obs: %s Precipitation: %s Cloud Coverage: %s oktas Cloud Summation: %s Solar Irradiance: %s """ % (self.weather_station, self.latitude, self.longitude, self. elevation, self.datetime, self.air_temperature, self. air_temperature.get_fahrenheit(), self.wind_speed, self.wind_speed. get_miles(), self.wind_direction, str(self.present_weather), str( self.precipitation), str(self.sky_cover), str(self. sky_cover_summation), str(self.solar_irradiance)))
formatted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return (\n \"\"\"\nWeather Station: %s (%s, %s)\nElevation: %s m\nTime: %s UTC\nAir Temperature: %s C (%s F)\nWind Speed: %s m/s (%s mph)\nW...
def x(self, noaa_string): self.raw = noaa_string self.weather_station = noaa_string[4:10] self.wban = noaa_string[10:15] expected_length = int(noaa_string[0:4]) + self.PREAMBLE_LENGTH actual_length = len(noaa_string) if actual_length != expected_length: msg = 'Non matching lengths. Expected %d, got %d' % (expected_length, actual_length) raise ish_reportException(msg) try: self.datetime = datetime.strptime(noaa_string[15:27], '%Y%m%d%H%M') except ValueError: """ some cases, we get 2400 hours, which is really the next day, so this is a workaround for those cases """ time = noaa_string[15:27] time = time.replace('2400', '2300') self.datetime = datetime.strptime(time, '%Y%m%d%H%M') self.datetime += timedelta(hours=1) self.datetime = self.datetime.replace(tzinfo=pytz.UTC) self.report_type = ReportType(noaa_string[41:46].strip()) self.latitude = float(noaa_string[28:34]) / self.GEO_SCALE self.longitude = float(noaa_string[34:41]) / self.GEO_SCALE self.elevation = int(noaa_string[46:51]) """ other mandatory fields """ self.wind_direction = Direction(noaa_string[60:63], Direction.RADIANS, noaa_string[63:64]) self.wind_observation_direction_type = noaa_string[64:64] self.wind_speed = Speed(int(noaa_string[65:69]) / float(self. SPEED_SCALE), Speed.METERSPERSECOND, noaa_string[69:70]) self.sky_ceiling = Distance(int(noaa_string[70:75]), Distance.METERS, noaa_string[75:76]) self.sky_ceiling_determination = noaa_string[76:77] self.visibility_distance = Distance(int(noaa_string[78:84]), Distance. METERS, noaa_string[84:85]) self.visibility_variability = noaa_string[85:86] self.visibility_variability_quality = noaa_string[86:87] self.air_temperature = Temperature(int(noaa_string[87:92]) / self. TEMPERATURE_SCALE, Units.CELSIUS, noaa_string[92:93]) self.dew_point = Temperature(int(noaa_string[93:98]) / self. TEMPERATURE_SCALE, Units.CELSIUS, noaa_string[98:99]) self.humidity = Humidity(str(self.air_temperature), str(self.dew_point)) self.sea_level_pressure = Pressure(int(noaa_string[99:104]) / self. PRESSURE_SCALE, Pressure.HECTOPASCALS, noaa_string[104:104]) """ handle the additional fields """ additional = noaa_string[105:108] if additional == 'ADD': position = 108 while position < expected_length: try: position, (addl_code, addl_string) = self._get_component( noaa_string, position) self._additional[addl_code] = addl_string except ish_reportException as err: """ this catches when we move to remarks section """ break """ handle the remarks section if it exists """ try: position = noaa_string.index('REM', 108) self._get_remarks_component(noaa_string, position) except (ish_reportException, ValueError) as err: """ this catches when we move to EQD section """ return self
loads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, noaa_string):\n self.raw = noaa_string\n self.weather_station = noaa_string[4:10]\n self.wban = noaa_string[10:15]\n expected_length = int(no...
def x(self, string, initial_pos): remarks_code = string[initial_pos:initial_pos + self.ADDR_CODE_LENGTH] if remarks_code != 'REM': raise ish_reportException( 'Parsing remarks. Expected REM but got %s.' % (remarks_code,)) expected_length = int(string[0:4]) + self.PREAMBLE_LENGTH position = initial_pos + self.ADDR_CODE_LENGTH while position < expected_length: key = string[position:position + self.ADDR_CODE_LENGTH] if key == 'EQD': break chars_to_read = string[position + self.ADDR_CODE_LENGTH:position + self.ADDR_CODE_LENGTH * 2] chars_to_read = int(chars_to_read) position += self.ADDR_CODE_LENGTH * 2 string_value = string[position:position + chars_to_read] self._remarks[key] = string_value position += chars_to_read
get_remarks_component
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string, initial_pos):\n remarks_code = string[initial_pos:initial_pos + self.ADDR_CODE_LENGTH]\n if remarks_code != 'REM':\n raise ish_repor...
def x(self, string, initial_pos): add_code = string[initial_pos:initial_pos + self.ADDR_CODE_LENGTH] if add_code == 'REM': raise ish_reportException('This is a remarks record') if add_code == 'EQD': raise ish_reportException('This is EQD record') initial_pos += self.ADDR_CODE_LENGTH try: useable_map = self.MAP[add_code] except: raise BaseException('Cannot find code %s in string %s (%d).' % ( add_code, string, initial_pos)) if useable_map[1] is False: chars_to_read = string[initial_pos + self.ADDR_CODE_LENGTH: initial_pos + self.ADDR_CODE_LENGTH * 2] chars_to_read = int(chars_to_read) initial_pos += self.ADDR_CODE_LENGTH * 2 else: chars_to_read = useable_map[1] new_position = initial_pos + chars_to_read string_value = string[initial_pos:new_position] try: object_value = useable_map[2]() object_value.loads(string_value) except IndexError as err: object_value = string_value return new_position, [add_code, object_value]
get_component
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string, initial_pos):\n add_code = string[initial_pos:initial_pos + self.ADDR_CODE_LENGTH]\n if add_code == 'REM':\n raise ish_reportExcepti...
def x(self, string): for line in string.split('\n'): if len(line) < 10: continue try: report = ish_report() report.loads(line) self._reports.append(report) except BaseException as exp: """ don't complain TOO much """ logging.warning('unable to load report, error: %s' % exp)
loads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n for line in string.split('\\n'):\n if len(line) < 10:\n continue\n try:\n report = ish_report()\n ...
def x(self): return [rpt for rpt in self._reports if rpt.report_type in self.OBS_TYPES]
get_observations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [rpt for rpt in self._reports if rpt.report_type in self.OBS_TYPES]\n", "role": "user" }, { "content": "get_observations", "...
def x(self): if self._obs_value in self.MISSING: return 'MISSING' if self._obs_units == self.METERSPERSECOND: return round(2.23694 * self._obs_value, 4)
get_miles
[ { "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._obs_value in self.MISSING:\n return 'MISSING'\n if self._obs_units == self.METERSPERSECOND:\n return round(2.23694 * self...
def x(self): files_to_translate = [] log.debug('Collecting python sources for pot ...') for source_path in self._source_paths: for source_path in self._iter_suffix(path=source_path, suffix='.py'): log.debug('... add to pot: {source}'.format(source=str( source_path))) files_to_translate.append(str(source_path)) for system_file in self.SYSTEM_SOURCE_FILES: files_to_translate.append(str(self._system_path / system_file)) log.debug('Finished collection sources.') pot_path = (self._po_path / self._basename).with_suffix('.pot') command = ['xgettext', '--keyword=_', '--keyword=_translate', '--output={output}'.format(output=str(pot_path))] command.extend(files_to_translate) check_call(command) log.debug('pot file "{pot}" created!'.format(pot=str(pot_path))) pot_copy_path = self._mo_path / pot_path.name log.debug('Copying pot file to mo path: {pot_copy_path}'.format( pot_copy_path=str(pot_copy_path))) shutil.copy(str(pot_path), str(pot_copy_path))
do_pot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n files_to_translate = []\n log.debug('Collecting python sources for pot ...')\n for source_path in self._source_paths:\n for source_pat...
def x(self): log.debug('Start updating po files ...') pot_path = (self._po_path / self._basename).with_suffix('.pot') for po_dir_path in self._iter_po_dir(): po_path = (po_dir_path / self._basename).with_suffix('.po') if po_path.exists(): log.debug('update {po}:'.format(po=str(po_path))) check_call(['msgmerge', '-U', str(po_path), str(pot_path)]) else: log.debug('create {po}:'.format(po=str(po_path))) check_call(['msginit', '-i', str(pot_path), '-o', str(po_path), '--no-translator']) po_copy_path = self._mo_path / po_path.parent.name / po_path.name po_copy_path.parent.mkdir(exist_ok=True) log.debug('Copying po file to mo path: {po_copy_path}'.format( po_copy_path=str(po_copy_path))) shutil.copy(str(po_path), str(po_copy_path)) log.debug('All po files updated')
do_po
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('Start updating po files ...')\n pot_path = (self._po_path / self._basename).with_suffix('.pot')\n for po_dir_path in self._iter_po...
def x(self): log.debug('Start updating mo files ...') for po_dir_path in self._iter_po_dir(): po_path = (po_dir_path / self._basename).with_suffix('.po') lc_path = self._mo_path / po_dir_path.name / 'LC_MESSAGES' lc_path.mkdir(parents=True, exist_ok=True) mo_path = (lc_path / self._basename).with_suffix('.mo') log.debug('Creating from {po}: {mo}'.format(po=str(po_path), mo=str (mo_path))) check_call(['msgfmt', str(po_path), '-o', str(mo_path)]) log.debug('All mo files updated')
do_mo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('Start updating mo files ...')\n for po_dir_path in self._iter_po_dir():\n po_path = (po_dir_path / self._basename).with_suffix...
def x(self) ->None: if self._logging_level: logging.basicConfig(level=getattr(logging, self._logging_level. upper()), format= '%(levelname).1s %(name)s.%(funcName)s:%(lineno)d - %(message)s') signal.signal(signal.SIGINT, self._handle_sigint) signal.signal(signal.SIGTERM, self._handle_sigterm) if platform.system() != 'Windows': signal.signal(signal.SIGHUP, self._handle_sighup) signal.signal(signal.SIGUSR1, self._handle_sigusr1) signal.signal(signal.SIGUSR2, self._handle_sigusr2) self._started_at = os.times().elapsed for t in self._threads: t.start() try: signals.worker_start.send(self.kuyruk, worker=self) self._consume_messages() signals.worker_shutdown.send(self.kuyruk, worker=self) finally: self.shutdown_pending.set() for t in self._threads: t.join() logger.debug('End run worker')
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n if self._logging_level:\n logging.basicConfig(level=getattr(logging, self._logging_level.\n upper()), format=\n ...
def x(self, message: amqp.Message) ->None: if self.shutdown_pending.is_set(): return try: if isinstance(message.body, bytes): message.body = message.body.decode() description = json.loads(message.body) except Exception: logger.error('Cannot decode message. Dropping. Message: %r', message.body) traceback.print_exc() message.channel.basic_reject(message.delivery_tag, requeue=False) else: logger.info('Processing task: %r', description) self._process_description(message, description)
process_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message: amqp.Message) ->None:\n if self.shutdown_pending.is_set():\n return\n try:\n if isinstance(message.body, bytes):\n ...
def x(task: Task, args: Tuple, kwargs: Dict[str, Any]) ->Any: if args is None: args = () if kwargs is None: kwargs = {} start = monotonic() try: return task.apply(*args, **kwargs) finally: delta = monotonic() - start logger.info('%s finished in %i seconds.' % (task.name, delta))
apply_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(task: Task, args: Tuple, kwargs: Dict[str, Any]) ->Any:\n if args is None:\n args = ()\n if kwargs is None:\n kwargs = {}\n start = mono...
def x(self) ->None: remaining = self._max_run_time - self.uptime if not self.shutdown_pending.wait(remaining): logger.warning('Run time reached zero') self.shutdown()
shutdown_timer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n remaining = self._max_run_time - self.uptime\n if not self.shutdown_pending.wait(remaining):\n logger.warning('Run time reached ze...
def x(self, signum: int, frame: Any) ->None: logger.warning('Catched SIGINT') self.shutdown()
handle_sigint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signum: int, frame: Any) ->None:\n logger.warning('Catched SIGINT')\n self.shutdown()\n", "role": "user" }, { "content": "handle_sigint...
def x(self, signum: int, frame: Any) ->None: logger.warning('Catched SIGHUP') exc_info = self._heartbeat_exc_info self._heartbeat_exc_info = None formatted_exception = ''.join(traceback.format_exception(*exc_info)) raise HeartbeatError(exc_info)
handle_sighup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signum: int, frame: Any) ->None:\n logger.warning('Catched SIGHUP')\n exc_info = self._heartbeat_exc_info\n self._heartbeat_exc_info = None\n ...
def x(signum: int, frame: Any) ->None: print('=' * 70) print(''.join(traceback.format_stack())) print('-' * 70)
handle_sigusr1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(signum: int, frame: Any) ->None:\n print('=' * 70)\n print(''.join(traceback.format_stack()))\n print('-' * 70)\n", "role": "user" }, { "c...
def x(self, signum: int, frame: Any) ->None: logger.warning('Catched SIGUSR2') if self.current_task: logger.warning('Dropping current task...') raise Discard
handle_sigusr2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signum: int, frame: Any) ->None:\n logger.warning('Catched SIGUSR2')\n if self.current_task:\n logger.warning('Dropping current task...')\n ...
def x(): system = platform.system() if system == 'Linux': sys_config_path = Path(os.getenv('XDG_CONFIG_HOME', os.path. expanduser('~/.config'))) elif system == 'Windows': sys_config_path = Path(os.getenv('APPDATA', '')) else: log.error( 'Unknown system: "{system}" (using default configuration path)' .format(system=system)) sys_config_path = Path() log.debug('User-specific system configuration folder="{sys_config_path}"' .format(sys_config_path=sys_config_path)) sys_config = sys_config_path / PROJECT_TITLE log.debug('User-specific {project} configuration folder="{sys_config}"' .format(project=PROJECT_TITLE, sys_config=sys_config)) return sys_config
configuration_get_default_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n system = platform.system()\n if system == 'Linux':\n sys_config_path = Path(os.getenv('XDG_CONFIG_HOME', os.path.\n expanduser('~/...
def x(cls, locale): locale = str(locale) if locale is 'unknown': return UnknownLanguage(locale) try: return cls._from_xyz('locale', locale) except NotALanguageException: log.warning('Unknown locale: {}'.format(locale)) return UnknownLanguage(locale)
from_locale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, locale):\n locale = str(locale)\n if locale is 'unknown':\n return UnknownLanguage(locale)\n try:\n return cls._from_xyz('locale', ...
def x(cls, xx): xx = str(xx).lower() if xx is 'unknown': return UnknownLanguage(xx) try: return cls._from_xyz('ISO639', xx) except NotALanguageException: log.warning('Unknown ISO639: {}'.format(xx)) return UnknownLanguage(xx)
from_xx
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, xx):\n xx = str(xx).lower()\n if xx is 'unknown':\n return UnknownLanguage(xx)\n try:\n return cls._from_xyz('ISO639', xx)\n exc...
def x(cls, xxx): xxx = str(xxx).lower() if xxx is 'unknown': return UnknownLanguage(xxx) try: return cls._from_xyz('LanguageID', xxx) except NotALanguageException: log.warning('Unknown LanguageId: {}'.format(xxx)) return UnknownLanguage(xxx)
from_xxx
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, xxx):\n xxx = str(xxx).lower()\n if xxx is 'unknown':\n return UnknownLanguage(xxx)\n try:\n return cls._from_xyz('LanguageID', xxx...
def x(cls, name): name = str(name).lower() if name is 'unknown' or name is _('unknown'): return UnknownLanguage(name) try: return cls._from_xyz('LanguageName', name) except NotALanguageException: log.warning('Unknown LanguageName: {}'.format(name)) return UnknownLanguage(name)
from_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name):\n name = str(name).lower()\n if name is 'unknown' or name is _('unknown'):\n return UnknownLanguage(name)\n try:\n return cl...
def x(cls, xyzkey, xyzvalue): if xyzvalue == 'unknown' or xyzvalue == _('unknown'): return UnknownLanguage(xyzvalue) for lang_id, lang_data in enumerate(LANGUAGES): for data_value in lang_data[xyzkey]: if xyzvalue == data_value.lower(): return cls(lang_id) raise NotALanguageException(xyzvalue, 'Illegal language {}: {}'.format( xyzkey, xyzvalue))
from_xyz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, xyzkey, xyzvalue):\n if xyzvalue == 'unknown' or xyzvalue == _('unknown'):\n return UnknownLanguage(xyzvalue)\n for lang_id, lang_data in enu...
def x(cls, value, xx=False, xxx=False, locale=False, name=False): keys = ['ISO639', 'LanguageID', 'locale', 'LanguageName'] truefalses = [xx, xxx, locale, name] value = value.lower() for key, doKey in zip(keys, truefalses): if doKey: try: return cls._from_xyz(key, value) except NotALanguageException: pass raise NotALanguageException(value, 'Illegal language "{}"'.format(value))
from_unknown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value, xx=False, xxx=False, locale=False, name=False):\n keys = ['ISO639', 'LanguageID', 'locale', 'LanguageName']\n truefalses = [xx, xxx, locale, ...
def x(cls, filepath, chunk_size=None): log.debug('Language.from_file: "{}", chunk={} ...'.format(filepath, chunk_size)) with filepath.open('rb') as f: data = f.read(-1 if chunk_size is None else chunk_size) data_ascii = asciify(data) lang_xx = langdetect_detect(data_ascii) lang = cls.from_xx(lang_xx) log.debug('... result language={}'.format(lang)) return lang
from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filepath, chunk_size=None):\n log.debug('Language.from_file: \"{}\", chunk={} ...'.format(filepath,\n chunk_size))\n with filepath.open('rb')...
def x(self, proxyIndex): if not proxyIndex.isValid(): return index = self.proxyFileModel.mapToSource(proxyIndex) settings = QSettings() folder_path = self.fileModel.filePath(index) settings.setValue('mainwindow/workingDirectory', folder_path)
onFolderTreeClicked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proxyIndex):\n if not proxyIndex.isValid():\n return\n index = self.proxyFileModel.mapToSource(proxyIndex)\n settings = QSettings()\n ...
def x(self, args: Tuple=(), kwargs: Dict[str, Any]={}, host: str=None, wait_result: Union[int, float]=None, message_ttl: Union[int, float]=None ) ->Any: if self.kuyruk.config.EAGER: result = self.apply(*args, **kwargs) return result if wait_result else None logger.debug('Task.send_to_queue args=%r, kwargs=%r', args, kwargs) queue = self._queue_for_host(host) description = self._get_description(args, kwargs) self._send_signal(signals.task_presend, args=args, kwargs=kwargs, description=description) body = json.dumps(description) msg = amqp.Message(body=body) if wait_result: msg.properties['reply_to'] = 'amq.rabbitmq.reply-to' if message_ttl: msg.properties['expiration'] = str(int(message_ttl * 1000)) with self.kuyruk.channel() as ch: if wait_result: result = Result(ch.connection) ch.basic_consume(queue='amq.rabbitmq.reply-to', no_ack=True, callback=result.process_message) ch.queue_declare(queue=queue, durable=True, auto_delete=False) ch.basic_publish(msg, exchange='', routing_key=queue) self._send_signal(signals.task_postsend, args=args, kwargs=kwargs, description=description) if wait_result: return result.wait(wait_result)
send_to_queue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args: Tuple=(), kwargs: Dict[str, Any]={}, host: str=None,\n wait_result: Union[int, float]=None, message_ttl: Union[int, float]=None\n ) ->Any:\n ...
def x(self, args: Tuple, kwargs: Dict[str, Any]) ->Dict[str, Any]: return {'id': uuid1().hex, 'args': args, 'kwargs': kwargs, 'module': self._module_name, 'function': self.f.__name__, 'sender_hostname': socket.gethostname(), 'sender_pid': os.getpid(), 'sender_cmd': ' '. join(sys.argv), 'sender_timestamp': datetime.utcnow().isoformat()[:19]}
get_description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args: Tuple, kwargs: Dict[str, Any]) ->Dict[str, Any]:\n return {'id': uuid1().hex, 'args': args, 'kwargs': kwargs, 'module':\n self._module_na...
def x(self, *args: Any, **kwargs: Any) ->Any: def x(sig: Signal, **extra: Any) ->None: self._send_signal(sig, args=args, kwargs=kwargs, **extra) logger.debug('Applying %r, args=%r, kwargs=%r', self, args, kwargs) send_signal(signals.task_preapply) try: tries = 1 + self.retry while 1: tries -= 1 send_signal(signals.task_prerun) try: with time_limit(self.max_run_time or 0): return self.f(*args, **kwargs) except Exception: send_signal(signals.task_error, exc_info=sys.exc_info()) if tries <= 0: raise else: break finally: send_signal(signals.task_postrun) except Exception: send_signal(signals.task_failure, exc_info=sys.exc_info()) raise else: send_signal(signals.task_success) finally: send_signal(signals.task_postapply)
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args: Any, **kwargs: Any) ->Any:\n\n def x(sig: Signal, **extra: Any) ->None:\n self._send_signal(sig, args=args, kwargs=kwargs, **extra)\n ...
def x(self) ->str: name = self.f.__module__ if name == '__main__': return importer.main_module_name() return name
module_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n name = self.f.__module__\n if name == '__main__':\n return importer.main_module_name()\n return name\n", "role": "user" },...
def x(lc=None): log.debug('i18n_install( {lc} ) called.'.format(lc=lc)) if lc is None: lc = i18n_system_locale() if lc is None: log.debug('i18n_install(): installing NullTranslations') translator = gettext.NullTranslations() else: child_locales = i18n_support_locale(lc) log.debug( 'i18n_install(): installing gettext.translation(domain={domain}, localedir={localedir}, languages={languages}, fallback={fallback})' .format(domain=project.PROJECT_TITLE.lower(), localedir= i18n_get_path(), languages=child_locales, fallback=True)) translator = gettext.translation(domain=project.PROJECT_TITLE.lower (), localedir=str(i18n_get_path()), languages=child_locales, fallback=True) translator.install(names=['ngettext'])
i18n_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lc=None):\n log.debug('i18n_install( {lc} ) called.'.format(lc=lc))\n if lc is None:\n lc = i18n_system_locale()\n if lc is None:\n log....
def x(): log.debug('i18n_system_locale() called') lc, encoding = locale.getlocale() log.debug('locale.getlocale() = (lc="{lc}", encoding="{encoding}).'. format(lc=lc, encoding=encoding)) if lc is None: lc, encoding = locale.getdefaultlocale() log.debug( 'locale.getdefaultlocale() = (lc="{lc}", encoding="{encoding}).' .format(lc=lc, encoding=encoding)) return lc
i18n_system_locale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n log.debug('i18n_system_locale() called')\n lc, encoding = locale.getlocale()\n log.debug('locale.getlocale() = (lc=\"{lc}\", encoding=\"{encoding...
def x(lc): log.debug('i18n_locale_fallbacks_calculate( locale="{locale}" ) called' .format(locale=lc)) locales = [] lc_original = lc while lc: locales.append(lc) rindex = max([lc.rfind(separator) for separator in ['@', '_', '-', '.']]) if rindex == -1: break lc = lc[:rindex] log.debug('i18n_locale_fallbacks_calculate( lc="{lc}" ) = {locales}'. format(lc=lc_original, locales=locales)) return locales
i18n_locale_fallbacks_calculate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lc):\n log.debug('i18n_locale_fallbacks_calculate( locale=\"{locale}\" ) called'\n .format(locale=lc))\n locales = []\n lc_original = lc\n w...
def x(lc_parent): log.debug('i18n_support_locale( locale="{locale}" ) called'.format( locale=lc_parent)) lc_childs = i18n_locale_fallbacks_calculate(lc_parent) locales = [] locale_path = i18n_get_path() mo_file = '{project}.mo'.format(project=project.PROJECT_TITLE.lower()) for lc in lc_childs: lc_mo_path = locale_path / lc / 'LC_MESSAGES' / mo_file log.debug('Locale data "{lc_mo_path}" exists? ...'.format( lc_mo_path=lc_mo_path)) if lc_mo_path.is_file(): log.debug('... Yes! "{locale_path}" contains {mo_file}.'.format (locale_path=locale_path, mo_file=mo_file)) locales.append(lc) else: log.debug('... No') log.debug('i18n_support_locale( lc="{lc}" ) = {locales}'.format(lc= lc_parent, locales=locales)) return locales
i18n_support_locale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lc_parent):\n log.debug('i18n_support_locale( locale=\"{locale}\" ) called'.format(\n locale=lc_parent))\n lc_childs = i18n_locale_fallbacks_calcu...
def x(): local_locale_path = client_get_path() / 'locale' if platform.system() == 'Linux': if local_locale_path.exists(): return local_locale_path else: return Path('/usr/share/locale') else: return local_locale_path
i18n_get_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n local_locale_path = client_get_path() / 'locale'\n if platform.system() == 'Linux':\n if local_locale_path.exists():\n return loca...
def x(): locale_path = i18n_get_path() log.debug('Scanning translation files .mo in locale path: {}'.format( locale_path)) langs = [] mo_file = '{project}.mo'.format(project=project.PROJECT_TITLE.lower()) for lc in locale_path.iterdir(): lc_mo_path = lc / 'LC_MESSAGES' / mo_file if lc_mo_path.exists(): langs.append(lc.name) log.debug('Detected: {langs}'.format(langs=langs)) return langs
i18n_get_supported_locales
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n locale_path = i18n_get_path()\n log.debug('Scanning translation files .mo in locale path: {}'.format(\n locale_path))\n langs = []\n mo...
def x(self, obj: Union[str, Any]) ->None: if isinstance(obj, str): obj = importer.import_object_str(obj) for key in dir(obj): if key.isupper(): value = getattr(obj, key) self._setattr(key, value) logger.info('Config is loaded from object: %r', obj)
from_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj: Union[str, Any]) ->None:\n if isinstance(obj, str):\n obj = importer.import_object_str(obj)\n for key in dir(obj):\n if key.isup...
def x(self, d: Dict[str, Any]) ->None: for key, value in d.items(): if key.isupper(): self._setattr(key, value) logger.info('Config is loaded from dict: %r', d)
from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d: Dict[str, Any]) ->None:\n for key, value in d.items():\n if key.isupper():\n self._setattr(key, value)\n logger.info('Config i...
def x(self, filename: str) ->None: globals_ = {} locals_ = {} with open(filename, 'rb') as f: exec(compile(f.read(), filename, 'exec'), globals_, locals_) for key, value in locals_.items(): if key.isupper() and not isinstance(value, types.ModuleType): self._setattr(key, value) logger.info('Config is loaded from file: %s', filename)
from_pyfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename: str) ->None:\n globals_ = {}\n locals_ = {}\n with open(filename, 'rb') as f:\n exec(compile(f.read(), filename, 'exec'), globa...
def x(self) ->None: for key, value in os.environ.items(): if key.startswith('KUYRUK_'): key = key[7:] if hasattr(Config, key): try: value = ast.literal_eval(value) except (ValueError, SyntaxError): pass self._setattr(key, value)
from_env_vars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n for key, value in os.environ.items():\n if key.startswith('KUYRUK_'):\n key = key[7:]\n if hasattr(Config, key)...
def x(current_kwargs, **kwargs): tmp_kwargs = dict((key, current_kwargs.get(key)) for key, value in kwargs.items()) current_kwargs.update(kwargs) yield current_kwargs.update(tmp_kwargs)
option
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(current_kwargs, **kwargs):\n tmp_kwargs = dict((key, current_kwargs.get(key)) for key, value in\n kwargs.items())\n current_kwargs.update(kwargs)\...
def x(node, method_name): if not isinstance(node, nodes.Call): return False if isinstance(node.node, nodes.Getattr): method = node.node.attr elif isinstance(node.node, nodes.Name): method = node.node.name elif isinstance(node.node, nodes.Getitem): method = node.node.arg.value else: return False if isinstance(method_name, (list, tuple)): return method in method_name return method == method_name
is_method_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, method_name):\n if not isinstance(node, nodes.Call):\n return False\n if isinstance(node.node, nodes.Getattr):\n method = node.node.a...
def x(node): return hasattr(node, 'node') and isinstance(node.node, nodes.Name ) and node.node.name == 'loop'
is_loop_helper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n return hasattr(node, 'node') and isinstance(node.node, nodes.Name\n ) and node.node.name == 'loop'\n", "role": "user" }, { "cont...
def x(self): template_function = TEMPLATE_WRAPPER.format(function_name=self. js_function_name, template_code=self.output.getvalue()).strip() module_format = JS_MODULE_FORMATS[self.js_module_format] return module_format(self.dependencies, template_function)
get_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n template_function = TEMPLATE_WRAPPER.format(function_name=self.\n js_function_name, template_code=self.output.getvalue()).strip()\n modul...
def x(self, dependency): for dep_path, var_name in self.dependencies: if dep_path == dependency: return var_name
get_depencency_var_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dependency):\n for dep_path, var_name in self.dependencies:\n if dep_path == dependency:\n return var_name\n", "role": "user" ...
def x(self, dependency, var_name=None): if var_name is None: var_name = next(self.temp_var_names) if (dependency, var_name) not in self.dependencies: self.dependencies.append((dependency, var_name)) return var_name
add_dependency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dependency, var_name=None):\n if var_name is None:\n var_name = next(self.temp_var_names)\n if (dependency, var_name) not in self.dependenci...
def x(self, node, **kwargs): for b in self.ast.find_all(nodes.Block): if b.name not in self.child_blocks: self.child_blocks[b.name] = b else: block = self.child_blocks.get(b.name) while hasattr(block, 'super_block'): block = block.super_block block.super_block = b parent_template = JinjaToJS(template_root=self.template_root, template_name=node.template.value, js_module_format=self. js_module_format, runtime_path=self.runtime_path, include_prefix= self.include_prefix, include_ext=self.include_ext, child_blocks= self.child_blocks, dependencies=self.dependencies) self.output.write(parent_template.output.getvalue()) raise ExtendsException
process_extends
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n for b in self.ast.find_all(nodes.Block):\n if b.name not in self.child_blocks:\n self.child_blocks[b.name] = b\n ...
def x(self, node, **kwargs): if not hasattr(node, 'super_block'): node.super_block = None child_block = self.child_blocks.get(node.name) if child_block: last_block = child_block while hasattr(last_block, 'super_block'): last_block = child_block.super_block last_block.super_block = node node = child_block for n in node.body: self._process_node(n, super_block=node.super_block, **kwargs)
process_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n if not hasattr(node, 'super_block'):\n node.super_block = None\n child_block = self.child_blocks.get(node.name)\n ...
def x(self, node, **kwargs): for n in node.nodes: self._process_node(n, **kwargs)
process_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n for n in node.nodes:\n self._process_node(n, **kwargs)\n", "role": "user" }, { "content": "process_output", ...
def x(self, node, **_): value = re.sub('"', '\\\\"', node.data) value = re.sub('\n', '\\\\n', value) self.output.write('__result += "' + value + '";')
process_templatedata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **_):\n value = re.sub('\"', '\\\\\\\\\"', node.data)\n value = re.sub('\\n', '\\\\\\\\n', value)\n self.output.write('__result += \"' + v...
def x(self, node, **kwargs): with self._interpolation(): with self._python_bool_wrapper(**kwargs): if node.name not in self.stored_names and node.ctx != 'store': self.output.write(self.context_name) self.output.write('.') if node.ctx == 'store': self.stored_names.add(node.name) self.output.write(node.name)
process_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n with self._interpolation():\n with self._python_bool_wrapper(**kwargs):\n if node.name not in self.stored_names a...
def x(self, node, **kwargs): with self._interpolation(): with self._python_bool_wrapper(**kwargs) as new_kwargs: if is_loop_helper(node): self._process_loop_helper(node, **new_kwargs) else: self._process_node(node.node, **new_kwargs) self.output.write('.') self.output.write(node.attr)
process_getattr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n with self._interpolation():\n with self._python_bool_wrapper(**kwargs) as new_kwargs:\n if is_loop_helper(node):\...
def x(self, node, **kwargs): with self._interpolation(): with self._python_bool_wrapper(**kwargs) as new_kwargs: self._process_node(node.node, **new_kwargs) if isinstance(node.arg, nodes.Slice): self.output.write('.slice(') if node.arg.step is not None: raise Exception( 'The step argument is not supported when slicing.') if node.arg.start is None: self.output.write('0') else: self._process_node(node.arg.start, **new_kwargs) if node.arg.stop is None: self.output.write(')') else: self.output.write(',') self._process_node(node.arg.stop, **new_kwargs) self.output.write(')') else: self.output.write('[') self._process_node(node.arg, **new_kwargs) self.output.write(']')
process_getitem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n with self._interpolation():\n with self._python_bool_wrapper(**kwargs) as new_kwargs:\n self._process_node(node.n...
def x(self, node, **kwargs): previous_stored_names = self.stored_names.copy() with self._execution(): self.output.write('__runtime.each(') if is_method_call(node.iter, dict.keys.__name__): self.output.write('Object.keys(') self._process_node(node.iter, **kwargs) if is_method_call(node.iter, dict.keys.__name__): self.output.write(')') self.output.write(',') self.output.write('function') self.output.write('(') if isinstance(node.target, nodes.Tuple): if len(node.target.items) > 2: raise Exception( 'De-structuring more than 2 items is not supported.') for i, item in enumerate(reversed(node.target.items)): self._process_node(item, **kwargs) if i < len(node.target.items) - 1: self.output.write(',') else: self._process_node(node.target, **kwargs) self.output.write(')') self.output.write('{') if node.test: self.output.write('if (!(') self._process_node(node.test, **kwargs) self.output.write(')) { return; }') assigns = node.target.items if isinstance(node.target, nodes.Tuple) else [ node.target] with self._scoped_variables(assigns, **kwargs): for n in node.body: self._process_node(n, **kwargs) with self._execution(): self.output.write('}') self.output.write(')') self.output.write(';') self.stored_names = previous_stored_names
process_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n previous_stored_names = self.stored_names.copy()\n with self._execution():\n self.output.write('__runtime.each(')\n ...
def x(self, node, execute_end=None, **kwargs): with self._execution(): self.output.write('if') self.output.write('(') with option(kwargs, use_python_bool_wrapper=True): self._process_node(node.test, **kwargs) self.output.write(')') self.output.write('{') if execute_end: execute_end() for n in node.body: self._process_node(n, **kwargs) if not node.else_ and not node.elif_: with self._execution(): self.output.write('}') else: with self._execution() as execute_end: self.output.write('}') self.output.write(' else ') for n in node.elif_: self._process_node(n, execute_end=execute_end, **kwargs) if node.elif_ and node.else_: self.output.write(' else ') self.output.write('{') for n in node.else_: self._process_node(n, **kwargs) with self._execution(): self.output.write('}')
process_if
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, execute_end=None, **kwargs):\n with self._execution():\n self.output.write('if')\n self.output.write('(')\n with option(kwa...
def x(self, node, math_operator=None, function=None, **kwargs): with self._interpolation(): if function: self.output.write(function) self.output.write('(') self._process_node(node.left, **kwargs) self.output.write(math_operator) self._process_node(node.right, **kwargs) if function: self.output.write(')')
process_math
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, math_operator=None, function=None, **kwargs):\n with self._interpolation():\n if function:\n self.output.write(function)\n ...
def x(self, node, **kwargs): if node.attr == LOOP_HELPER_INDEX: self.output.write('(arguments[1] + 1)') elif node.attr == LOOP_HELPER_INDEX_0: self.output.write('arguments[1]') elif node.attr == LOOP_HELPER_FIRST: self.output.write('(arguments[1] == 0)') elif node.attr == LOOP_HELPER_LAST: self.output.write('(arguments[1] == arguments[2].length - 1)') elif node.attr == LOOP_HELPER_LENGTH: self.output.write('arguments[2].length')
process_loop_helper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, **kwargs):\n if node.attr == LOOP_HELPER_INDEX:\n self.output.write('(arguments[1] + 1)')\n elif node.attr == LOOP_HELPER_INDEX_0:\n ...
def x(self): did_start_executing = False if self.state == STATE_DEFAULT: did_start_executing = True self.state = STATE_EXECUTING def x(): if did_start_executing and self.state == STATE_EXECUTING: self.state = STATE_DEFAULT yield close close()
execution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n did_start_executing = False\n if self.state == STATE_DEFAULT:\n did_start_executing = True\n self.state = STATE_EXECUTING\n\n d...
def x(self, nodes_list, **kwargs): tmp_vars = [] for node in nodes_list: is_assign_node = isinstance(node, nodes.Assign) name = node.target.name if is_assign_node else node.name tmp_var = next(self.temp_var_names) with self._execution(): self.output.write('var %s = %s.%s;' % (tmp_var, self. context_name, name)) self.output.write('%s.%s = ' % (self.context_name, name)) if is_assign_node: self._process_node(node.node, **kwargs) else: self.output.write(node.name) self.output.write(';') tmp_vars.append((tmp_var, name)) yield for tmp_var, name in tmp_vars: with self._execution(): self.output.write('%s.%s = %s;' % (self.context_name, name, tmp_var))
scoped_variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nodes_list, **kwargs):\n tmp_vars = []\n for node in nodes_list:\n is_assign_node = isinstance(node, nodes.Assign)\n name = node.targ...
def x(url, local_path, callback): log.debug('download_raw(url={url}, local_path={local_path})'.format(url =url, local_path=local_path)) raw_progress = RawDownloadProgress(callback) reporthook = raw_progress.get_report_hook() try: log.debug('urlretrieve(url={url}, local_path={local_path}) ...'. format(url=url, local_path=local_path)) urlretrieve(url=url, filename=local_path, reporthook=reporthook) log.debug('... SUCCEEDED') callback.finish(True) return True except URLError: log.exception('... FAILED') callback.finish(False) return False
download_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, local_path, callback):\n log.debug('download_raw(url={url}, local_path={local_path})'.format(url\n =url, local_path=local_path))\n raw_progre...
def x(self): def x(chunkNumber, chunkSize, totalSize): if totalSize != -1 and not self._callback.range_initialized(): log.debug('Initializing range: [{},{}]'.format(0, totalSize)) self._callback.set_range(0, totalSize) self._chunkNumber = chunkNumber self._total += chunkSize if self._total > totalSize: self._total = totalSize self._callback.update(self._total) return report_hook
get_report_hook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(chunkNumber, chunkSize, totalSize):\n if totalSize != -1 and not self._callback.range_initialized():\n log.debug('Initial...
def x(data, width): start = 0 while start < len(data): yield data[start:start + width] start += width
window_iterator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, width):\n start = 0\n while start < len(data):\n yield data[start:start + width]\n start += width\n", "role": "user" }, { ...
def x(self, minimum, maximum): self._min = minimum self._max = maximum self.on_rangeChange(minimum, maximum)
set_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, minimum, maximum):\n self._min = minimum\n self._max = maximum\n self.on_rangeChange(minimum, maximum)\n", "role": "user" }, { "cont...
def x(self, parent_min, parent_max): return SubProgressCallback(parent=self, parent_min=parent_min, parent_max=parent_max)
get_child_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent_min, parent_max):\n return SubProgressCallback(parent=self, parent_min=parent_min,\n parent_max=parent_max)\n", "role": "user" }, ...
def x(self, value, *args, **kwargs): log.debug('update(value={value}, args={args}, kwargs={kwargs})'.format( value=value, args=args, kwargs=kwargs)) self.on_update(value, *args, **kwargs)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, *args, **kwargs):\n log.debug('update(value={value}, args={args}, kwargs={kwargs})'.format(\n value=value, args=args, kwargs=kwargs))\n ...
def x(self, *args, **kwargs): log.debug('finish(args={args}, kwargs={kwargs})'.format(args=args, kwargs=kwargs)) self.on_finish(*args, **kwargs)
finish
[ { "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 log.debug('finish(args={args}, kwargs={kwargs})'.format(args=args,\n kwargs=kwargs))\n self.on_finish(*args, **kwargs)\n...
def x(self, value, *args, **kwargs): parent_value = self._parent_min if self._max != self._min: sub_progress = (value - self._min) / (self._max - self._min) parent_value = self._parent_min + sub_progress * (self._parent_max - self._parent_min) self._parent.update(parent_value, *args, **kwargs)
on_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, *args, **kwargs):\n parent_value = self._parent_min\n if self._max != self._min:\n sub_progress = (value - self._min) / (self._max - ...
def x(self, username='', password=''): self.log.debug('----------------') self.log.debug('Logging in (username: %s)...' % username) def x(): return self._xmlrpc_server.LogIn(username, password, self.language, self.user_agent) info = self._safe_exec(run_query, None) if info is None: self._token = None return False self.log.debug('Login ended in %s with status: %s' % (info['seconds'], info['status'])) if info['status'] == '200 OK': self.log.debug('Session ID: %s' % info['token']) self.log.debug('----------------') self._token = info['token'] return True else: self.log.debug('----------------') self._token = None return False
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username='', password=''):\n self.log.debug('----------------')\n self.log.debug('Logging in (username: %s)...' % username)\n\n def x():\n ...
def x(self): self.log.debug('Logging out from session ID: %s' % self._token) try: info = self._xmlrpc_server.LogOut(self._token) self.log.debug('Logout ended in %s with status: %s' % (info[ 'seconds'], info['status'])) except ProtocolError as e: self.log.debug('error in HTTP/HTTPS transport layer') raise except Fault as e: self.log.debug('error in xml-rpc server') raise except: self.log.exception('Connection to the server failed/other error') raise finally: self._token = None
logout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log.debug('Logging out from session ID: %s' % self._token)\n try:\n info = self._xmlrpc_server.LogOut(self._token)\n self.log...
def x(args=None): parser = get_argument_parser() autocomplete(parser) ns = parser.parse_args(args=args) return ArgumentSettings(program=ArgumentProgramSettings(log= ArgumentLogSettings(path=None, level=ns.loglevel), settings= ArgumentSettingsSettings(path=ns.settings_path), client= ArgumentClientSettings(type=ns.client_type, cli= ArgumentClientCliSettings(interactive=False), gui= ArgumentClientGuiSettings())), search=ArgumentSearchSettings( recursive=ns.recursive, working_directory=ns.video_path), filter= FilterSettings(languages=ns.languages), download=DownloadSettings( rename_strategy=ns.rename_strategy), providers=ns.providers, proxy= ns.proxy, test=ns.test)
parse_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=None):\n parser = get_argument_parser()\n autocomplete(parser)\n ns = parser.parse_args(args=args)\n return ArgumentSettings(program=ArgumentP...
def x(): parser = argparse.ArgumentParser(description=project.get_description(), epilog=_('Visit us at {website}.').format(website=project.WEBSITE_MAIN) ) parser.add_argument('--version', action='version', version= '{project} {version}'.format(project=project.PROJECT_TITLE, version =project.PROJECT_VERSION_STR)) parser.add_argument('-T', '--test', dest='test', action='store_true', default=False, help=argparse.SUPPRESS) parser.add_argument('-V', '--video', dest='video_path', default=None, metavar='PATH', nargs=argparse.ONE_OR_MORE, action=PathsAction, help=_('Full path to your video(s).')) parser.add_argument('-s', '--settings', dest='settings_path', type=Path, default=None, metavar='FILE', help=_('Set the settings file.')) parser.add_argument('-l', '--lang', dest='languages', metavar= 'LANGUAGE', default=[UnknownLanguage.create_generic()], nargs= argparse.ONE_OR_MORE, action=LanguagesAction, help=_( 'Set the preferred subtitle language(s) for download and upload.')) interface_group = parser.add_argument_group(_('interface'), _( 'Change settings of the interface')) guicli = interface_group.add_mutually_exclusive_group() guicli.add_argument('-g', '--gui', dest='client_type', action= 'store_const', const=ClientType.GUI, help=_( 'Run application in GUI mode. This is the default.')) guicli.add_argument('-c', '--cli', dest='client_type', action= 'store_const', const=ClientType.CLI, help=_( 'Run application in CLI mode.')) parser.set_defaults(client_type=ClientType.GUI) loggroup = parser.add_argument_group(_('logging'), _( 'Change the amount of logging done.')) loglvlex = loggroup.add_mutually_exclusive_group() loglvlex.add_argument('-d', '--debug', dest='loglevel', action= 'store_const', const=logging.DEBUG, help=_( 'Print log messages of debug severity and higher to stderr.')) loglvlex.add_argument('-w', '--warning', dest='loglevel', action= 'store_const', const=logging.WARNING, help=_( 'Print log messages of warning severity and higher to stderr. This is the default.' )) loglvlex.add_argument('-e', '--error', dest='loglevel', action= 'store_const', const=logging.ERROR, help=_( 'Print log messages of error severity and higher to stderr.')) loglvlex.add_argument('-q', '--quiet', dest='loglevel', action= 'store_const', const=LOGGING_LOGNOTHING, help=_( "Don't log anything to stderr.")) loggroup.set_defaults(loglevel=logging.WARNING) loggroup.add_argument('--log', dest='logfile', metavar='FILE', type= Path, default=None, help=_('Path name of the log file.')) cli_group = parser.add_argument_group(_('cli'), _( 'Change the behavior of the command line interface.')) cli_group.add_argument('-i', '--interactive', dest='interactive', action='store_true', default=False, help=_( 'Prompt user when decisions need to be done.')) cli_group.add_argument('-r', '--recursive', dest='recursive', action= 'store_true', default=False, help=_( 'Search for subtitles recursively.')) operation_group = cli_group.add_mutually_exclusive_group() operation_group.add_argument('-D', '--download', dest='operation', action='store_const', const=CliAction.DOWNLOAD, help=_( 'Download subtitle(s). This is the default.')) operation_group.add_argument('-U', '--upload', dest='operation', action ='store_const', const=CliAction.UPLOAD, help=_('Upload subtitle(s).')) parser.set_defaults(operation=CliAction.DOWNLOAD) rename_group = cli_group.add_mutually_exclusive_group() rename_group.add_argument('--rename-online', dest='rename_strategy', action='store_const', const=SubtitleRenameStrategy.ONLINE, help=_( 'Use the on-line subtitle filename as name for the downloaded subtitles. This is the default.' )) rename_group.add_argument('--rename-video', dest='rename_strategy', action='store_const', const=SubtitleRenameStrategy.VIDEO, help=_( 'Use the local video filename as name for the downloaded subtitle.')) rename_group.add_argument('--rename-lang', dest='rename_strategy', action='store_const', const=SubtitleRenameStrategy.VIDEO_LANG, help =_( 'Use the local video filename + language as name for the downloaded subtitle.' )) rename_group.add_argument('--rename-uploader', dest='rename_strategy', action='store_const', const=SubtitleRenameStrategy. VIDEO_LANG_UPLOADER, help=_( 'Use the local video filename + uploader + language as name for the downloaded subtitle.' )) parser.set_defaults(rename_strategy=SubtitleRenameStrategy.ONLINE) online_group = parser.add_argument_group('online', 'Change parameters related to the online provider.') online_group.add_argument('-P', '--proxy', dest='proxy', default=None, action=ProxyAction, help=_('Proxy to use on internet connections.')) online_group.add_argument('--provider', dest='providers', metavar= 'NAME [KEY1=VALUE1 [KEY2=VALUE2 [...]]]', nargs=argparse. ONE_OR_MORE, default=None, action=ProviderAction, help=_( 'Enable and configure a provider.')) return parser
get_argument_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser(description=project.get_description(),\n epilog=_('Visit us at {website}.').format(website=project.WEBSITE_MAIN...
def x(self, queue: str='kuyruk', **kwargs: Any) ->Callable: def x(f: Callable) ->Task: return Task(f, self, queue, **kwargs) return wrapper
task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue: str='kuyruk', **kwargs: Any) ->Callable:\n\n def x(f: Callable) ->Task:\n return Task(f, self, queue, **kwargs)\n return wrapper\n", ...
def x(self) ->Iterator[amqp.Channel]: with self.connection() as conn: ch = conn.channel() logger.info('Opened new channel') with _safe_close(ch): yield ch
channel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Iterator[amqp.Channel]:\n with self.connection() as conn:\n ch = conn.channel()\n logger.info('Opened new channel')\n with _saf...
def x(self) ->Iterator[amqp.Connection]: TCP_USER_TIMEOUT = 18 socket_settings = {TCP_USER_TIMEOUT: self.config.TCP_USER_TIMEOUT} if sys.platform.startswith('darwin'): del socket_settings[TCP_USER_TIMEOUT] conn = amqp.Connection(host='%s:%s' % (self.config.RABBIT_HOST, self. config.RABBIT_PORT), userid=self.config.RABBIT_USER, password=self. config.RABBIT_PASSWORD, virtual_host=self.config. RABBIT_VIRTUAL_HOST, connect_timeout=self.config. RABBIT_CONNECT_TIMEOUT, read_timeout=self.config. RABBIT_READ_TIMEOUT, write_timeout=self.config.RABBIT_WRITE_TIMEOUT, socket_settings=socket_settings, heartbeat=self.config.RABBIT_HEARTBEAT ) conn.connect() logger.info('Connected to RabbitMQ') with _safe_close(conn): yield conn
connection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Iterator[amqp.Connection]:\n TCP_USER_TIMEOUT = 18\n socket_settings = {TCP_USER_TIMEOUT: self.config.TCP_USER_TIMEOUT}\n if sys.platform.star...
def x(videopath, callback, recursive=False): log.debug('scan_videopath(videopath="{videopath}", recursive={recursive})' .format(videopath=videopath, recursive=recursive)) if not videopath.exists(): log.debug('"{videopath}" does not exist'.format(videopath=videopath)) raise IllegalPathException(path=videopath) if videopath.is_dir(): log.debug('"{videopath}" is a directory'.format(videopath=videopath)) return __scan_folder(videopath, callback=callback, recursive=recursive) elif videopath.is_file(): log.debug('"{videopath}" is a file'.format(videopath=videopath)) videopath_dir = videopath.parent [all_subs, _] = filter_files_extensions(videopath_dir.iterdir(), [ SUBTITLES_EXT, VIDEOS_EXT]) [_, video] = filter_files_extensions([videopath], [SUBTITLES_EXT, VIDEOS_EXT]) sub_videos = [all_subs, video] path_subvideos = {videopath_dir: sub_videos} return merge_path_subvideo(path_subvideos, callback) else: log.debug('"{videopath}" is of unknown type'.format(videopath= videopath)) return [], []
scan_videopath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(videopath, callback, recursive=False):\n log.debug('scan_videopath(videopath=\"{videopath}\", recursive={recursive})'\n .format(videopath=videopath, ...
def x(folder_path, callback, recursive=False): log.debug( '__scan_folder(folder_path="{folder_path}", recursive={recursive})' .format(folder_path=folder_path, recursive=recursive)) path_subvideos = {} if recursive: for dir_path, _, files in os.walk(str(folder_path)): log.debug('walking current directory:"{}"'.format(dir_path)) path_files = [(Path(dir_path) / file) for file in files] sub_videos = filter_files_extensions(path_files, [SUBTITLES_EXT, VIDEOS_EXT]) path_subvideos[dir_path] = sub_videos else: files = [(folder_path / f) for f in folder_path.iterdir() if f. is_file()] sub_videos = filter_files_extensions(files, [SUBTITLES_EXT, VIDEOS_EXT] ) path_subvideos[folder_path] = sub_videos return merge_path_subvideo(path_subvideos, callback)
scan_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(folder_path, callback, recursive=False):\n log.debug(\n '__scan_folder(folder_path=\"{folder_path}\", recursive={recursive})'\n .format(folder...
def x(path_subvideos, callback): log.debug('merge_path_subvideo(path_subvideos=<#paths={nb_paths}>)'. format(nb_paths=len(path_subvideos))) nb_videos = sum([len(subvids[1]) for subvids in path_subvideos.values()]) all_videos = [] all_subtitles = [] callback.set_range(0, nb_videos) vid_i = 0 callback.update(vid_i) for path, subvideos in path_subvideos.items(): [subs_path, vids_path] = subvideos subtitles = [LocalSubtitleFile(filepath=sub_path) for sub_path in subs_path] all_subtitles.extend(subtitles) for vid_path in vids_path: try: video = VideoFile(vid_path) except NotAVideoException: continue all_videos.append(video) for subtitle in subtitles: if subtitle.matches_video_filename(video): video.add_subtitle(subtitle) video.get_subtitles().add_candidates(subtitles) vid_i += 1 callback.update(vid_i) callback.finish(True) return all_videos, all_subtitles
merge_path_subvideo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path_subvideos, callback):\n log.debug('merge_path_subvideo(path_subvideos=<#paths={nb_paths}>)'.\n format(nb_paths=len(path_subvideos)))\n nb_vid...
def x(files, extension_lists): log.debug('filter_files_extensions: files="{}"'.format(files)) result = [[] for _ in extension_lists] for file in files: ext = file.suffix[1:].lower() for ext_i, ext_list in enumerate(extension_lists): if ext in ext_list: result[ext_i].append(file) log.debug('filter_files_extensions result:{}'.format(result)) return result
filter_files_extensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, extension_lists):\n log.debug('filter_files_extensions: files=\"{}\"'.format(files))\n result = [[] for _ in extension_lists]\n for file in fil...
def x(cls, filename): log.debug('detect_language(filename="{}") ...'.format(filename)) root, _ = os.path.splitext(filename) fn_lang = cls.DETECT_LANGUAGE_REGEX.findall(root) if fn_lang: language_part = fn_lang[0] try: lang = Language.from_unknown(language_part, xx=True, xxx=True) log.debug('... SUCCESS: detected from filename: {lang}'.format( lang=lang)) return lang except NotALanguageException: pass else: log.debug('... FAIL: could not detect from filename') return UnknownLanguage.create_generic()
detect_language_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename):\n log.debug('detect_language(filename=\"{}\") ...'.format(filename))\n root, _ = os.path.splitext(filename)\n fn_lang = cls.DETECT_LAN...
def x(self, video): vid_fn = video.get_filename() vid_base, _ = os.path.splitext(vid_fn) vid_base = vid_base.lower() sub_fn = self.get_filename() sub_base, _ = os.path.splitext(sub_fn) sub_base = sub_base.lower() log.debug( 'matches_filename(subtitle="{sub_filename}", video="{vid_filename}") ...' .format(sub_filename=sub_fn, vid_filename=vid_fn)) matches = sub_base == vid_base lang = None if not matches: if sub_base.startswith(vid_base): sub_rest = sub_base[len(vid_base):] while len(sub_rest) > 0: if sub_rest[0].isalnum(): break sub_rest = sub_rest[1:] try: lang = Language.from_unknown(sub_rest, xx=True, xxx=True) matches = True except NotALanguageException: matches = False if matches: log.debug('... matches (language={language})'.format(language=lang)) else: log.debug('... does not match') return matches
matches_video_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, video):\n vid_fn = video.get_filename()\n vid_base, _ = os.path.splitext(vid_fn)\n vid_base = vid_base.lower()\n sub_fn = self.get_filename()...
def x(path): if path is None: path = configuration_get_default_folder() / LOGGING_DEFAULTNAME if not path.parent.exists(): log.error('File logger installation FAILED!') log.error('The directory of the log file does not exist.') return formatter = logging.Formatter(LOGGING_FORMAT) logger = logging.getLogger() logger.removeHandler(LOGGING_HANDLERS['file']) logFileHandler = logging.handlers.RotatingFileHandler(filename=str(path ), mode='a', maxBytes=LOGGING_MAXBYTES, backupCount=LOGGING_BACKUPCOUNT ) logFileHandler.setLevel(logging.DEBUG) logFileHandler.setFormatter(formatter) LOGGING_HANDLERS['file'] = logFileHandler logger.addHandler(logFileHandler)
logging_file_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if path is None:\n path = configuration_get_default_folder() / LOGGING_DEFAULTNAME\n if not path.parent.exists():\n log.error('Fil...
def x(loglevel): formatter = logging.Formatter(LOGGING_FORMAT) logger = logging.getLogger() logger.removeHandler(LOGGING_HANDLERS['stream']) if loglevel == LOGGING_LOGNOTHING: streamHandler = None else: streamHandler = logging.StreamHandler() streamHandler.setLevel(loglevel) streamHandler.setFormatter(formatter) LOGGING_HANDLERS['stream'] = streamHandler if streamHandler: logger.addHandler(streamHandler)
logging_stream_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(loglevel):\n formatter = logging.Formatter(LOGGING_FORMAT)\n logger = logging.getLogger()\n logger.removeHandler(LOGGING_HANDLERS['stream'])\n if l...