source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, *, message: str, error: tweepy.TweepError) ->OutputRecord: self.lerror(f'Got an error! {error}') try: code = error[0]['code'] if code in self.handled_errors: self.handled_errors[code] else: self.send_dm_sos(message) except Exception: self.send_dm_sos(message) return TweetRecord(error=error)
handle_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, message: str, error: tweepy.TweepError) ->OutputRecord:\n self.lerror(f'Got an error! {error}')\n try:\n code = error[0]['code']\n if code in self.handled_errors:\n self.handled_errors[code]\n else:\n self.send_dm_sos(message)\n except Exception:\n self.send_dm_sos(message)\n return TweetRecord(error=error)\n", "role": "user" }, { "content": "handle_error", "role": "assistant" } ]
def x(self, *, media_ids: List[str], captions: Optional[List[str]]) ->None: if captions is None: captions = [] if len(media_ids) > len(captions): captions.extend([self.default_caption_message] * (len(media_ids) - len(captions))) for i, media_id in enumerate(media_ids): caption = captions[i] self._upload_caption(media_id=media_id, caption=caption)
handle_caption_upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, media_ids: List[str], captions: Optional[List[str]]) ->None:\n if captions is None:\n captions = []\n if len(media_ids) > len(captions):\n captions.extend([self.default_caption_message] * (len(media_ids) -\n len(captions)))\n for i, media_id in enumerate(media_ids):\n caption = captions[i]\n self._upload_caption(media_id=media_id, caption=caption)\n", "role": "user" }, { "content": "handle_caption_upload", "role": "assistant" } ]
def x(self, messageobject: Dict[str, Dict]) ->Any: headers, post_data = _buildmessageobject(messageobject) newdm_path = '/direct_messages/events/new.json' return tweepy.binder.bind_api(api=self.api, path=newdm_path, method= 'POST', require_auth=True)(post_data=post_data, headers=headers)
send_direct_message_new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, messageobject: Dict[str, Dict]) ->Any:\n headers, post_data = _buildmessageobject(messageobject)\n newdm_path = '/direct_messages/events/new.json'\n return tweepy.binder.bind_api(api=self.api, path=newdm_path, method=\n 'POST', require_auth=True)(post_data=post_data, headers=headers)\n", "role": "user" }, { "content": "send_direct_message_new", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser(description=DESCRIPTION) parser.add_argument('-v', '--verbose', help='increase output verbosity', action='store_true') args = parser.parse_args() generator = SignatureGenerator(debug=args.verbose) crash_data = json.loads(sys.stdin.read()) ret = generator.generate(crash_data) print(json.dumps(ret, indent=2))
main
[ { "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=DESCRIPTION)\n parser.add_argument('-v', '--verbose', help='increase output verbosity',\n action='store_true')\n args = parser.parse_args()\n generator = SignatureGenerator(debug=args.verbose)\n crash_data = json.loads(sys.stdin.read())\n ret = generator.generate(crash_data)\n print(json.dumps(ret, indent=2))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, config): for attr in self.__fixed_attrs: if attr in config: raise Exception("cannot set '%s' outside of init", attr) stages = config.get('stages', None) if stages: self.stages = stages self.__dry_run = config.get('dry_run', False) self.system = str.lower(platform.system()) self.__start = config.get('start', None) self.__end = config.get('end', None) self.__only = config.get('only', None) self.__build_docs = config.get('build_docs', False) self.__chatty = config.get('chatty', False) self.__clean = config.get('clean', False) self.__devel = config.get('devel', False) self.__debug = config.get('debug', False) self.__skip_libcheck = config.get('skip_libcheck', False) self.__debuginfo = config.get('debuginfo', False) self.__release = config.get('release', False) self.__skip_unit = config.get('skip_unit', False) self.__static = config.get('static', False) self.__make_dash_j = int(config.get('j', 0)) self.__target_only = config.get('target_only', None) bits = config.get('bits', None) if bits: self.bits = int(bits) else: self.bits = self.sys_bits self.compiler = config.get('compiler', None) self.test_config = config.get('test_config', '-') if not self.test_config: self.test_config = '-' self.use_ccache = config.get('use_ccache', False) self.tmpl_engine = config.get('tmpl_engine', 'jinja2') self.__write_codec = config.get('write_codec', None) self.__codec = None if not config.get('skip_env_check', False): if 'LD_LIBRARY_PATH' in os.environ: raise Exception('environment variable LD_LIBRARY_PATH is set') self.check_config()
add_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n for attr in self.__fixed_attrs:\n if attr in config:\n raise Exception(\"cannot set '%s' outside of init\", attr)\n stages = config.get('stages', None)\n if stages:\n self.stages = stages\n self.__dry_run = config.get('dry_run', False)\n self.system = str.lower(platform.system())\n self.__start = config.get('start', None)\n self.__end = config.get('end', None)\n self.__only = config.get('only', None)\n self.__build_docs = config.get('build_docs', False)\n self.__chatty = config.get('chatty', False)\n self.__clean = config.get('clean', False)\n self.__devel = config.get('devel', False)\n self.__debug = config.get('debug', False)\n self.__skip_libcheck = config.get('skip_libcheck', False)\n self.__debuginfo = config.get('debuginfo', False)\n self.__release = config.get('release', False)\n self.__skip_unit = config.get('skip_unit', False)\n self.__static = config.get('static', False)\n self.__make_dash_j = int(config.get('j', 0))\n self.__target_only = config.get('target_only', None)\n bits = config.get('bits', None)\n if bits:\n self.bits = int(bits)\n else:\n self.bits = self.sys_bits\n self.compiler = config.get('compiler', None)\n self.test_config = config.get('test_config', '-')\n if not self.test_config:\n self.test_config = '-'\n self.use_ccache = config.get('use_ccache', False)\n self.tmpl_engine = config.get('tmpl_engine', 'jinja2')\n self.__write_codec = config.get('write_codec', None)\n self.__codec = None\n if not config.get('skip_env_check', False):\n if 'LD_LIBRARY_PATH' in os.environ:\n raise Exception('environment variable LD_LIBRARY_PATH is set')\n self.check_config()\n", "role": "user" }, { "content": "add_config", "role": "assistant" } ]
def x(self): if not getattr(self, 'stages', None): raise NotImplementedError("member variable 'stages' must be defined") if self.__start: self.__stage_start = self.find_stage(self.__start) else: self.__stage_start = 0 if self.__end: self.__stage_end = self.find_stage(self.__end) + 1 self.opt_end = self.__end else: self.__stage_end = len(self.stages) if self.__only: if self.__start or self.__end: raise Exception( "stage option 'only' cannot be used with start or end") self.__stage_start = self.find_stage(self.__only) self.__stage_end = self.__stage_start + 1 if self.__devel: self.__devel = True if self.__stage_end >= len(self.stages): self.status_msg('removing deploy stage for development build') if self.stage_start >= self.stage_end: raise Exception('start and end produce no stages') if self.bits not in [32, 64]: raise Exception("can't do a %d bit build: unknown build process" % self.bits) if self.bits == 64 and not self.is_64b: raise Exception( 'this machine is not 64 bit, cannot perform 64 bit build') if self.system == 'windows': self.compilertag = 'vc10' elif self.system == 'linux': self.compilertag = 'gcc44' else: raise RuntimeError("can't decide compilertag on " + self.system) self.build_suffix = '' if not self.is_unixy: if self.__static: runtime = 'MT' else: runtime = 'MD' if self.__release: self.configuration_name = 'Release' else: runtime += 'd' self.configuration_name = 'Debug' self.build_suffix = '-' + runtime self.runtime = runtime else: self.configuration_name = 'CFNAME_INVALID_ON_LINUX' self.runtime = 'RUNTIME_INVALID_ON_LINUX' if self.test_config != '-': self.test_config = os.path.abspath(self.test_config) if self.version: ver = self.version.split('.') self.version_major = int(ver[0]) self.version_minor = int(ver[1]) self.version_patch = int(ver[2]) if len(ver) == 4: self.version_build = int(ver[3])
check_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not getattr(self, 'stages', None):\n raise NotImplementedError(\"member variable 'stages' must be defined\")\n if self.__start:\n self.__stage_start = self.find_stage(self.__start)\n else:\n self.__stage_start = 0\n if self.__end:\n self.__stage_end = self.find_stage(self.__end) + 1\n self.opt_end = self.__end\n else:\n self.__stage_end = len(self.stages)\n if self.__only:\n if self.__start or self.__end:\n raise Exception(\n \"stage option 'only' cannot be used with start or end\")\n self.__stage_start = self.find_stage(self.__only)\n self.__stage_end = self.__stage_start + 1\n if self.__devel:\n self.__devel = True\n if self.__stage_end >= len(self.stages):\n self.status_msg('removing deploy stage for development build')\n if self.stage_start >= self.stage_end:\n raise Exception('start and end produce no stages')\n if self.bits not in [32, 64]:\n raise Exception(\"can't do a %d bit build: unknown build process\" %\n self.bits)\n if self.bits == 64 and not self.is_64b:\n raise Exception(\n 'this machine is not 64 bit, cannot perform 64 bit build')\n if self.system == 'windows':\n self.compilertag = 'vc10'\n elif self.system == 'linux':\n self.compilertag = 'gcc44'\n else:\n raise RuntimeError(\"can't decide compilertag on \" + self.system)\n self.build_suffix = ''\n if not self.is_unixy:\n if self.__static:\n runtime = 'MT'\n else:\n runtime = 'MD'\n if self.__release:\n self.configuration_name = 'Release'\n else:\n runtime += 'd'\n self.configuration_name = 'Debug'\n self.build_suffix = '-' + runtime\n self.runtime = runtime\n else:\n self.configuration_name = 'CFNAME_INVALID_ON_LINUX'\n self.runtime = 'RUNTIME_INVALID_ON_LINUX'\n if self.test_config != '-':\n self.test_config = os.path.abspath(self.test_config)\n if self.version:\n ver = self.version.split('.')\n self.version_major = int(ver[0])\n self.version_minor = int(ver[1])\n self.version_patch = int(ver[2])\n if len(ver) == 4:\n self.version_build = int(ver[3])\n", "role": "user" }, { "content": "check_config", "role": "assistant" } ]
def x(self): if not self.write_codec: self.__write_codec = self.defined.data_ext targets = self.get_defined_targets() if self.__target_only: if self.__target_only not in targets: raise RuntimeError("invalid target '%s'" % self.__target_only) self.targets = [self.__target_only] else: self.targets = targets
check_definition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.write_codec:\n self.__write_codec = self.defined.data_ext\n targets = self.get_defined_targets()\n if self.__target_only:\n if self.__target_only not in targets:\n raise RuntimeError(\"invalid target '%s'\" % self.__target_only)\n self.targets = [self.__target_only]\n else:\n self.targets = targets\n", "role": "user" }, { "content": "check_definition", "role": "assistant" } ]
def x(self, name, search_path=None): if not search_path: search_path = self.define_dir return codec.find_datafile(name, search_path)
find_datafile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, search_path=None):\n if not search_path:\n search_path = self.define_dir\n return codec.find_datafile(name, search_path)\n", "role": "user" }, { "content": "find_datafile", "role": "assistant" } ]
def x(self, name, search_path=None, **kwargs): if not search_path: search_path = self.define_dir self.debug_msg('loading datafile %s from %s' % (name, str(search_path))) return codec.load_datafile(name, search_path, **kwargs)
load_datafile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, search_path=None, **kwargs):\n if not search_path:\n search_path = self.define_dir\n self.debug_msg('loading datafile %s from %s' % (name, str(search_path)))\n return codec.load_datafile(name, search_path, **kwargs)\n", "role": "user" }, { "content": "load_datafile", "role": "assistant" } ]
def x(self): self.sanity_check() if not self.release_environment: raise Exception('no instance name') time_start = time.time() cwd = os.getcwd() who = getpass.getuser() self._make_outdirs() append_notices = '' if hasattr(self, 'opt_end'): append_notices = '. shortened push, only to %s stage' % self.opt_end if self.is_devel: append_notices += '. devel build' if hasattr(self, 'append_notices'): append_notices += self.append_notices line = '%s %s %s by %s%s' % (sys.argv[0], self.version, self. release_environment, who, append_notices) b = 'deploy begin %s' % line e = 'deploy done %s' % line if self.chatty: self.alact(b) ok = False stage_passed = None try: for stage in self.stages[self.stage_start:self.stage_end]: self.debug_msg('stage %s starting' % (stage,)) getattr(self, stage)() self.chdir(cwd) stage_passed = stage self.debug_msg('stage %s complete' % (stage,)) ok = True finally: if not ok: if self.chatty: if not stage_passed: self.alact('deploy failed %s. completed no stages' % line) else: self.alact('deploy failed %s. completed %s' % (line, stage_passed)) self.status_msg('[OK]') if self.chatty: self.alact('%s in %0.3f sec' % (e, time.time() - time_start)) return 0
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.sanity_check()\n if not self.release_environment:\n raise Exception('no instance name')\n time_start = time.time()\n cwd = os.getcwd()\n who = getpass.getuser()\n self._make_outdirs()\n append_notices = ''\n if hasattr(self, 'opt_end'):\n append_notices = '. shortened push, only to %s stage' % self.opt_end\n if self.is_devel:\n append_notices += '. devel build'\n if hasattr(self, 'append_notices'):\n append_notices += self.append_notices\n line = '%s %s %s by %s%s' % (sys.argv[0], self.version, self.\n release_environment, who, append_notices)\n b = 'deploy begin %s' % line\n e = 'deploy done %s' % line\n if self.chatty:\n self.alact(b)\n ok = False\n stage_passed = None\n try:\n for stage in self.stages[self.stage_start:self.stage_end]:\n self.debug_msg('stage %s starting' % (stage,))\n getattr(self, stage)()\n self.chdir(cwd)\n stage_passed = stage\n self.debug_msg('stage %s complete' % (stage,))\n ok = True\n finally:\n if not ok:\n if self.chatty:\n if not stage_passed:\n self.alact('deploy failed %s. completed no stages' % line)\n else:\n self.alact('deploy failed %s. completed %s' % (line,\n stage_passed))\n self.status_msg('[OK]')\n if self.chatty:\n self.alact('%s in %0.3f sec' % (e, time.time() - time_start))\n return 0\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(dt): if dt.tzinfo is None: return time.mktime((dt.year, dt.month, dt.day, dt.hour, dt.minute, dt.second, -1, -1, -1)) + dt.microsecond / 1000000.0 else: return (dt - _EPOCH).total_seconds()
timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dt):\n if dt.tzinfo is None:\n return time.mktime((dt.year, dt.month, dt.day, dt.hour, dt.minute,\n dt.second, -1, -1, -1)) + dt.microsecond / 1000000.0\n else:\n return (dt - _EPOCH).total_seconds()\n", "role": "user" }, { "content": "timestamp", "role": "assistant" } ]
def x(max_per_hour: int, *args: Any) ->Callable[..., Any]: return util.rate_limited(max_per_hour, *args)
rate_limited
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_per_hour: int, *args: Any) ->Callable[..., Any]:\n return util.rate_limited(max_per_hour, *args)\n", "role": "user" }, { "content": "rate_limited", "role": "assistant" } ]
def x(record: Dict[str, Any]) ->Dict[str, Any]: output_records = record.get('output_records') if record.get('_type', None ) == 'IterationRecord' and output_records is not None: birdsite_record = output_records.get('birdsite') if isinstance(birdsite_record, dict) and birdsite_record.get('_type' ) == 'IterationRecord': failed = False while birdsite_record.get('_type') == 'IterationRecord': sub_record = birdsite_record.get('output_records') if sub_record is None: failed = True break birdsite_record = sub_record.get('birdsite') if birdsite_record is None: failed = True break if failed: return record birdsite_record['_type'] = TweetRecord.__name__ if 'extra_keys' in birdsite_record: record_extra_values = record.get('extra_keys', {}) for key, value in birdsite_record['extra_keys'].items(): if key not in record_extra_values: record_extra_values[key] = value record['extra_keys'] = record_extra_values del birdsite_record['extra_keys'] output_records['birdsite'] = birdsite_record record['output_records'] = output_records return record
repair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(record: Dict[str, Any]) ->Dict[str, Any]:\n output_records = record.get('output_records')\n if record.get('_type', None\n ) == 'IterationRecord' and output_records is not None:\n birdsite_record = output_records.get('birdsite')\n if isinstance(birdsite_record, dict) and birdsite_record.get('_type'\n ) == 'IterationRecord':\n failed = False\n while birdsite_record.get('_type') == 'IterationRecord':\n sub_record = birdsite_record.get('output_records')\n if sub_record is None:\n failed = True\n break\n birdsite_record = sub_record.get('birdsite')\n if birdsite_record is None:\n failed = True\n break\n if failed:\n return record\n birdsite_record['_type'] = TweetRecord.__name__\n if 'extra_keys' in birdsite_record:\n record_extra_values = record.get('extra_keys', {})\n for key, value in birdsite_record['extra_keys'].items():\n if key not in record_extra_values:\n record_extra_values[key] = value\n record['extra_keys'] = record_extra_values\n del birdsite_record['extra_keys']\n output_records['birdsite'] = birdsite_record\n record['output_records'] = output_records\n return record\n", "role": "user" }, { "content": "repair", "role": "assistant" } ]
def x(cls, obj_dict: Dict[str, Any]) ->'IterationRecord': obj = cls() for key, item in obj_dict.items(): obj.__dict__[key] = item return obj
from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj_dict: Dict[str, Any]) ->'IterationRecord':\n obj = cls()\n for key, item in obj_dict.items():\n obj.__dict__[key] = item\n return obj\n", "role": "user" }, { "content": "from_dict", "role": "assistant" } ]
def x(self, *args: str, text: str=None) ->IterationRecord: if text is not None: final_text = text elif len(args) == 0: raise BotSkeletonException( 'Please provide text either as a positional arg or as a keyword arg (text=TEXT)' ) else: final_text = args[0] record = IterationRecord(extra_keys=self.extra_keys) for key, output in self.outputs.items(): if output['active']: self.log.info(f'Output {key} is active, calling send on it.') entry: Any = output['obj'] output_result = entry.send(text=final_text) record.output_records[key] = output_result else: self.log.info(f'Output {key} is inactive. Not sending.') self.history.append(record) self.update_history() return record
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args: str, text: str=None) ->IterationRecord:\n if text is not None:\n final_text = text\n elif len(args) == 0:\n raise BotSkeletonException(\n 'Please provide text either as a positional arg or as a keyword arg (text=TEXT)'\n )\n else:\n final_text = args[0]\n record = IterationRecord(extra_keys=self.extra_keys)\n for key, output in self.outputs.items():\n if output['active']:\n self.log.info(f'Output {key} is active, calling send on it.')\n entry: Any = output['obj']\n output_result = entry.send(text=final_text)\n record.output_records[key] = output_result\n else:\n self.log.info(f'Output {key} is inactive. Not sending.')\n self.history.append(record)\n self.update_history()\n return record\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, *args: str, text: str=None, file: str=None, caption: str=None ) ->IterationRecord: final_text = text if final_text is None: if len(args) < 1: raise TypeError( 'Please provide either positional argument TEXT, or keyword argument text=TEXT' ) else: final_text = args[0] final_file = file if final_file is None: if len(args) < 2: raise TypeError( 'Please provide either positional argument FILE, or keyword argument file=FILE' ) else: final_file = args[1] final_caption = caption if final_caption is None: if len(args) >= 3: final_caption = args[2] if final_caption is None or final_caption == '': captions: List[str] = [] else: captions = [final_caption] record = IterationRecord(extra_keys=self.extra_keys) for key, output in self.outputs.items(): if output['active']: self.log.info(f'Output {key} is active, calling media send on it.') entry: Any = output['obj'] output_result = entry.send_with_media(text=final_text, files=[ final_file], captions=captions) record.output_records[key] = output_result else: self.log.info(f'Output {key} is inactive. Not sending with media.') self.history.append(record) self.update_history() return record
send_with_one_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args: str, text: str=None, file: str=None, caption: str=None\n ) ->IterationRecord:\n final_text = text\n if final_text is None:\n if len(args) < 1:\n raise TypeError(\n 'Please provide either positional argument TEXT, or keyword argument text=TEXT'\n )\n else:\n final_text = args[0]\n final_file = file\n if final_file is None:\n if len(args) < 2:\n raise TypeError(\n 'Please provide either positional argument FILE, or keyword argument file=FILE'\n )\n else:\n final_file = args[1]\n final_caption = caption\n if final_caption is None:\n if len(args) >= 3:\n final_caption = args[2]\n if final_caption is None or final_caption == '':\n captions: List[str] = []\n else:\n captions = [final_caption]\n record = IterationRecord(extra_keys=self.extra_keys)\n for key, output in self.outputs.items():\n if output['active']:\n self.log.info(f'Output {key} is active, calling media send on it.')\n entry: Any = output['obj']\n output_result = entry.send_with_media(text=final_text, files=[\n final_file], captions=captions)\n record.output_records[key] = output_result\n else:\n self.log.info(f'Output {key} is inactive. Not sending with media.')\n self.history.append(record)\n self.update_history()\n return record\n", "role": "user" }, { "content": "send_with_one_media", "role": "assistant" } ]
def x(self, *args: str, text: str=None, files: List[str]=None, captions: List[str]=[]) ->IterationRecord: if text is None: if len(args) < 1: raise TypeError( 'Please provide either required positional argument TEXT, or keyword argument text=TEXT' ) else: final_text = args[0] else: final_text = text if files is None: if len(args) < 2: raise TypeError( 'Please provide either positional argument FILES, or keyword argument files=FILES' ) else: final_files = list(args[1:]) else: final_files = files record = IterationRecord(extra_keys=self.extra_keys) for key, output in self.outputs.items(): if output['active']: self.log.info(f'Output {key} is active, calling media send on it.') entry: Any = output['obj'] output_result = entry.send_with_media(text=final_text, files= final_files, captions=captions) record.output_records[key] = output_result else: self.log.info(f'Output {key} is inactive. Not sending with media.') self.history.append(record) self.update_history() return record
send_with_many_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args: str, text: str=None, files: List[str]=None, captions:\n List[str]=[]) ->IterationRecord:\n if text is None:\n if len(args) < 1:\n raise TypeError(\n 'Please provide either required positional argument TEXT, or keyword argument text=TEXT'\n )\n else:\n final_text = args[0]\n else:\n final_text = text\n if files is None:\n if len(args) < 2:\n raise TypeError(\n 'Please provide either positional argument FILES, or keyword argument files=FILES'\n )\n else:\n final_files = list(args[1:])\n else:\n final_files = files\n record = IterationRecord(extra_keys=self.extra_keys)\n for key, output in self.outputs.items():\n if output['active']:\n self.log.info(f'Output {key} is active, calling media send on it.')\n entry: Any = output['obj']\n output_result = entry.send_with_media(text=final_text, files=\n final_files, captions=captions)\n record.output_records[key] = output_result\n else:\n self.log.info(f'Output {key} is inactive. Not sending with media.')\n self.history.append(record)\n self.update_history()\n return record\n", "role": "user" }, { "content": "send_with_many_media", "role": "assistant" } ]
def x(self, *, callback: Callable[..., str]=None, target_handles: Dict[str, str]=None, lookback_limit: int=20, per_service_lookback_limit: Dict[str, int]=None) ->IterationRecord: if callback is None: raise BotSkeletonException('Callback must be provided.') if target_handles is None: raise BotSkeletonException('Targets must be provided.') if lookback_limit > self.lookback_limit: raise BotSkeletonException( f'Lookback_limit cannot exceed {self.lookback_limit}, ' + f'but it was {lookback_limit}') lookback_dict = per_service_lookback_limit if lookback_dict is None: lookback_dict = {} record = IterationRecord(extra_keys=self.extra_keys) for key, output in self.outputs.items(): if key not in lookback_dict: lookback_dict[key] = lookback_limit if target_handles.get(key, None) is None: self.log.info(f'No target for output {key}, skipping this output.') elif not output.get('active', False): self.log.info(f'Output {key} is inactive. Not calling batch reply.' ) elif output['active']: self.log.info(f'Output {key} is active, calling batch reply on it.' ) entry: Any = output['obj'] output_result = entry.perform_batch_reply(callback=callback, target_handle=target_handles[key], lookback_limit= lookback_dict[key]) record.output_records[key] = output_result self.history.append(record) self.update_history() return record
perform_batch_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, callback: Callable[..., str]=None, target_handles: Dict[str,\n str]=None, lookback_limit: int=20, per_service_lookback_limit: Dict[str,\n int]=None) ->IterationRecord:\n if callback is None:\n raise BotSkeletonException('Callback must be provided.')\n if target_handles is None:\n raise BotSkeletonException('Targets must be provided.')\n if lookback_limit > self.lookback_limit:\n raise BotSkeletonException(\n f'Lookback_limit cannot exceed {self.lookback_limit}, ' +\n f'but it was {lookback_limit}')\n lookback_dict = per_service_lookback_limit\n if lookback_dict is None:\n lookback_dict = {}\n record = IterationRecord(extra_keys=self.extra_keys)\n for key, output in self.outputs.items():\n if key not in lookback_dict:\n lookback_dict[key] = lookback_limit\n if target_handles.get(key, None) is None:\n self.log.info(f'No target for output {key}, skipping this output.')\n elif not output.get('active', False):\n self.log.info(f'Output {key} is inactive. Not calling batch reply.'\n )\n elif output['active']:\n self.log.info(f'Output {key} is active, calling batch reply on it.'\n )\n entry: Any = output['obj']\n output_result = entry.perform_batch_reply(callback=callback,\n target_handle=target_handles[key], lookback_limit=\n lookback_dict[key])\n record.output_records[key] = output_result\n self.history.append(record)\n self.update_history()\n return record\n", "role": "user" }, { "content": "perform_batch_reply", "role": "assistant" } ]
def x(self) ->None: self.log.info(f'Sleeping for {self.delay} seconds.') for _ in progress.bar(range(self.delay)): time.sleep(1)
nap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n self.log.info(f'Sleeping for {self.delay} seconds.')\n for _ in progress.bar(range(self.delay)):\n time.sleep(1)\n", "role": "user" }, { "content": "nap", "role": "assistant" } ]
def x(self, key: str, value: Any) ->None: self.extra_keys[key] = value
store_extra_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key: str, value: Any) ->None:\n self.extra_keys[key] = value\n", "role": "user" }, { "content": "store_extra_info", "role": "assistant" } ]
def x(self, d: Dict[str, Any]) ->None: new_dict = dict(self.extra_keys, **d) self.extra_keys = new_dict.copy()
store_extra_keys
[ { "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 new_dict = dict(self.extra_keys, **d)\n self.extra_keys = new_dict.copy()\n", "role": "user" }, { "content": "store_extra_keys", "role": "assistant" } ]
def x(self) ->None: self.log.debug(f'Saving history. History is: \n{self.history}') jsons = [] for item in self.history: json_item = item.__dict__ json_item['output_records'] = self._parse_output_records(item) jsons.append(json_item) if not path.isfile(self.history_filename): open(self.history_filename, 'a+').close() with open(self.history_filename, 'w') as f: json.dump(jsons, f, default=lambda x: x.__dict__.copy(), sort_keys= True, indent=4) f.write('\n')
update_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n self.log.debug(f'Saving history. History is: \\n{self.history}')\n jsons = []\n for item in self.history:\n json_item = item.__dict__\n json_item['output_records'] = self._parse_output_records(item)\n jsons.append(json_item)\n if not path.isfile(self.history_filename):\n open(self.history_filename, 'a+').close()\n with open(self.history_filename, 'w') as f:\n json.dump(jsons, f, default=lambda x: x.__dict__.copy(), sort_keys=\n True, indent=4)\n f.write('\\n')\n", "role": "user" }, { "content": "update_history", "role": "assistant" } ]
def x(self) ->List['IterationRecord']: if path.isfile(self.history_filename): with open(self.history_filename, 'r') as f: try: dicts = json.load(f) except json.decoder.JSONDecodeError as e: self.log.error( f"""Got error {e} decoding JSON history, overwriting it. Former history available in {self.history_filename}.bak""" ) copyfile(self.history_filename, f'{self.history_filename}.bak') return [] history: List[IterationRecord] = [] for hdict_pre in dicts: if '_type' in hdict_pre and hdict_pre['_type' ] == IterationRecord.__name__: hdict = _repair(hdict_pre) record = IterationRecord.from_dict(hdict) history.append(record) else: item = IterationRecord() extra_keys = hdict_pre.pop('extra_keys', {}) item.extra_keys = extra_keys hdict_obj = TweetRecord.from_dict(hdict_pre) item.timestamp = hdict_obj.timestamp item.output_records['birdsite'] = hdict_obj history.append(item) self.log.debug(f'Loaded history:\n {history}') return history else: return []
load_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->List['IterationRecord']:\n if path.isfile(self.history_filename):\n with open(self.history_filename, 'r') as f:\n try:\n dicts = json.load(f)\n except json.decoder.JSONDecodeError as e:\n self.log.error(\n f\"\"\"Got error \n{e}\n decoding JSON history, overwriting it.\nFormer history available in {self.history_filename}.bak\"\"\"\n )\n copyfile(self.history_filename, f'{self.history_filename}.bak')\n return []\n history: List[IterationRecord] = []\n for hdict_pre in dicts:\n if '_type' in hdict_pre and hdict_pre['_type'\n ] == IterationRecord.__name__:\n hdict = _repair(hdict_pre)\n record = IterationRecord.from_dict(hdict)\n history.append(record)\n else:\n item = IterationRecord()\n extra_keys = hdict_pre.pop('extra_keys', {})\n item.extra_keys = extra_keys\n hdict_obj = TweetRecord.from_dict(hdict_pre)\n item.timestamp = hdict_obj.timestamp\n item.output_records['birdsite'] = hdict_obj\n history.append(item)\n self.log.debug(f'Loaded history:\\n {history}')\n return history\n else:\n return []\n", "role": "user" }, { "content": "load_history", "role": "assistant" } ]
def x(self) ->None: for key in self.outputs.keys(): credentials_dir = path.join(self.secrets_dir, f'credentials_{key}') if key == 'birdsite' and not path.isdir(credentials_dir ) and path.isfile(path.join(self.secrets_dir, 'CONSUMER_KEY')): credentials_dir = self.secrets_dir if path.isdir(credentials_dir): output_skeleton = self.outputs[key] output_skeleton['active'] = True obj: Any = output_skeleton['obj'] obj.cred_init(secrets_dir=credentials_dir, log=self.log, bot_name=self.bot_name) output_skeleton['obj'] = obj self.outputs[key] = output_skeleton
setup_all_outputs
[ { "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 in self.outputs.keys():\n credentials_dir = path.join(self.secrets_dir, f'credentials_{key}')\n if key == 'birdsite' and not path.isdir(credentials_dir\n ) and path.isfile(path.join(self.secrets_dir, 'CONSUMER_KEY')):\n credentials_dir = self.secrets_dir\n if path.isdir(credentials_dir):\n output_skeleton = self.outputs[key]\n output_skeleton['active'] = True\n obj: Any = output_skeleton['obj']\n obj.cred_init(secrets_dir=credentials_dir, log=self.log,\n bot_name=self.bot_name)\n output_skeleton['obj'] = obj\n self.outputs[key] = output_skeleton\n", "role": "user" }, { "content": "setup_all_outputs", "role": "assistant" } ]
def x(self, item: IterationRecord) ->Dict[str, Any]: output_records = {} for key, sub_item in item.output_records.items(): if isinstance(sub_item, dict) or isinstance(sub_item, list): output_records[key] = sub_item else: output_records[key] = sub_item.__dict__ return output_records
parse_output_records
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item: IterationRecord) ->Dict[str, Any]:\n output_records = {}\n for key, sub_item in item.output_records.items():\n if isinstance(sub_item, dict) or isinstance(sub_item, list):\n output_records[key] = sub_item\n else:\n output_records[key] = sub_item.__dict__\n return output_records\n", "role": "user" }, { "content": "parse_output_records", "role": "assistant" } ]
def x(fname): file_path, fname = os.path.split(os.path.abspath(fname)) if not os.path.exists(file_path): os.makedirs(file_path)
make_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname):\n file_path, fname = os.path.split(os.path.abspath(fname))\n if not os.path.exists(file_path):\n os.makedirs(file_path)\n", "role": "user" }, { "content": "make_dir", "role": "assistant" } ]
def x(fname, _force=False): if platform.system().lower() != 'windows' and not _force: return fname rchars = {'\x07': '\\\\a', '\x08': '\\\\b', '\x0c': '\\\\f', '\n': '\\\\n', '\r': '\\\\r', '\t': '\\\\t', '\x0b': '\\\\v'} ret = '' for char in os.path.normpath(fname): ret = ret + rchars.get(char, char) network_share = False tmp = None network_share = fname.startswith('\\\\') while tmp != ret: tmp, ret = ret, ret.replace('\\\\\\\\', '\\\\') ret = ret.replace('\\\\\\\\', '\\\\') if network_share: ret = '\\\\' + ret.lstrip('\\\\') return ret
normalize_windows_fname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname, _force=False):\n if platform.system().lower() != 'windows' and not _force:\n return fname\n rchars = {'\\x07': '\\\\\\\\a', '\\x08': '\\\\\\\\b', '\\x0c': '\\\\\\\\f', '\\n':\n '\\\\\\\\n', '\\r': '\\\\\\\\r', '\\t': '\\\\\\\\t', '\\x0b': '\\\\\\\\v'}\n ret = ''\n for char in os.path.normpath(fname):\n ret = ret + rchars.get(char, char)\n network_share = False\n tmp = None\n network_share = fname.startswith('\\\\\\\\')\n while tmp != ret:\n tmp, ret = ret, ret.replace('\\\\\\\\\\\\\\\\', '\\\\\\\\')\n ret = ret.replace('\\\\\\\\\\\\\\\\', '\\\\\\\\')\n if network_share:\n ret = '\\\\\\\\' + ret.lstrip('\\\\\\\\')\n return ret\n", "role": "user" }, { "content": "normalize_windows_fname", "role": "assistant" } ]
def x(line): token = str(uuid.uuid4()) line = line.replace(os.linesep, token).replace('\n', '').replace('\r', '') return line.replace(token, os.linesep)
homogenize_linesep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line):\n token = str(uuid.uuid4())\n line = line.replace(os.linesep, token).replace('\\n', '').replace('\\r', '')\n return line.replace(token, os.linesep)\n", "role": "user" }, { "content": "homogenize_linesep", "role": "assistant" } ]
def x(spec, mlines): spec = spec.strip().replace(' ', '') regexp = re.compile('.*[^0123456789\\-,]+.*') tokens = spec.split(',') cond = any([(not item) for item in tokens]) if '--' in spec or '-,' in spec or ',-' in spec or cond or regexp.match( spec): raise RuntimeError('Argument `lrange` is not valid') lines = [] for token in tokens: if token.count('-') > 1: raise RuntimeError('Argument `lrange` is not valid') if '-' in token: subtokens = token.split('-') lmin, lmax = int(subtokens[0]), int(subtokens[1]) if subtokens[1 ] else mlines for num in range(lmin, lmax + 1): lines.append(num) else: lines.append(int(token)) if lines != sorted(lines): raise RuntimeError('Argument `lrange` is not valid') return lines
proc_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, mlines):\n spec = spec.strip().replace(' ', '')\n regexp = re.compile('.*[^0123456789\\\\-,]+.*')\n tokens = spec.split(',')\n cond = any([(not item) for item in tokens])\n if '--' in spec or '-,' in spec or ',-' in spec or cond or regexp.match(\n spec):\n raise RuntimeError('Argument `lrange` is not valid')\n lines = []\n for token in tokens:\n if token.count('-') > 1:\n raise RuntimeError('Argument `lrange` is not valid')\n if '-' in token:\n subtokens = token.split('-')\n lmin, lmax = int(subtokens[0]), int(subtokens[1]) if subtokens[1\n ] else mlines\n for num in range(lmin, lmax + 1):\n lines.append(num)\n else:\n lines.append(int(token))\n if lines != sorted(lines):\n raise RuntimeError('Argument `lrange` is not valid')\n return lines\n", "role": "user" }, { "content": "proc_token", "role": "assistant" } ]
def x(fname, fpointer, lrange=None, sdir=None): file_dir = sdir if sdir else os.environ.get('PKG_DOC_DIR', os.path. abspath(os.path.dirname(__file__))) fname = os.path.join(file_dir, fname) with open(fname, 'r') as fobj: lines = fobj.readlines() lines = [_homogenize_linesep(line) for line in lines] inc_lines = _proc_token(lrange, len(lines)) if lrange else list(range(1, len(lines) + 1)) fpointer('.. code-block:: python' + os.linesep) fpointer(os.linesep) for num, line in enumerate(lines): if num + 1 in inc_lines: fpointer(' ' + line.replace('\t', ' ').rstrip() + os. linesep if line.strip() else os.linesep) fpointer(os.linesep)
incfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname, fpointer, lrange=None, sdir=None):\n file_dir = sdir if sdir else os.environ.get('PKG_DOC_DIR', os.path.\n abspath(os.path.dirname(__file__)))\n fname = os.path.join(file_dir, fname)\n with open(fname, 'r') as fobj:\n lines = fobj.readlines()\n lines = [_homogenize_linesep(line) for line in lines]\n inc_lines = _proc_token(lrange, len(lines)) if lrange else list(range(1,\n len(lines) + 1))\n fpointer('.. code-block:: python' + os.linesep)\n fpointer(os.linesep)\n for num, line in enumerate(lines):\n if num + 1 in inc_lines:\n fpointer(' ' + line.replace('\\t', ' ').rstrip() + os.\n linesep if line.strip() else os.linesep)\n fpointer(os.linesep)\n", "role": "user" }, { "content": "incfile", "role": "assistant" } ]
def x(command, nindent, mdir, fpointer, env=None): sdir = LDELIM + 'PKG_BIN_DIR' + RDELIM command = sdir + '{sep}{cmd}'.format(sep=os.path.sep, cmd=command ) if env is None else command env = {'PKG_BIN_DIR': mdir} if env is None else env term_echo(command, nindent, env, fpointer)
ste
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, nindent, mdir, fpointer, env=None):\n sdir = LDELIM + 'PKG_BIN_DIR' + RDELIM\n command = sdir + '{sep}{cmd}'.format(sep=os.path.sep, cmd=command\n ) if env is None else command\n env = {'PKG_BIN_DIR': mdir} if env is None else env\n term_echo(command, nindent, env, fpointer)\n", "role": "user" }, { "content": "ste", "role": "assistant" } ]
def x(command, nindent=0, env=None, fpointer=None, cols=60): os.environ['COLUMNS'] = str(cols) command_int = command if env: for var, repl in env.items(): command_int = command_int.replace('"' + LDELIM + var + RDELIM + '"', repl) command_int = command_int.replace(LDELIM + var + RDELIM, repl) tokens = command_int.split(' ') if platform.system().lower() == 'windows' and tokens[0].endswith('.py'): tokens = [sys.executable] + tokens proc = subprocess.Popen(tokens, stdout=subprocess.PIPE, stderr= subprocess.STDOUT) stdout = proc.communicate()[0] if sys.hexversion >= 50331648: stdout = stdout.decode('utf-8') stdout = stdout.split('\n') indent = nindent * ' ' fpointer(os.linesep) fpointer('{0}.. code-block:: console{1}'.format(indent, os.linesep)) fpointer(os.linesep) fpointer('{0} $ {1}{2}'.format(indent, command, os.linesep)) for line in stdout: line = _homogenize_linesep(line) if line.strip(): fpointer(indent + ' ' + line.replace('\t', ' ') + os.linesep) else: fpointer(os.linesep)
term_echo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, nindent=0, env=None, fpointer=None, cols=60):\n os.environ['COLUMNS'] = str(cols)\n command_int = command\n if env:\n for var, repl in env.items():\n command_int = command_int.replace('\"' + LDELIM + var + RDELIM +\n '\"', repl)\n command_int = command_int.replace(LDELIM + var + RDELIM, repl)\n tokens = command_int.split(' ')\n if platform.system().lower() == 'windows' and tokens[0].endswith('.py'):\n tokens = [sys.executable] + tokens\n proc = subprocess.Popen(tokens, stdout=subprocess.PIPE, stderr=\n subprocess.STDOUT)\n stdout = proc.communicate()[0]\n if sys.hexversion >= 50331648:\n stdout = stdout.decode('utf-8')\n stdout = stdout.split('\\n')\n indent = nindent * ' '\n fpointer(os.linesep)\n fpointer('{0}.. code-block:: console{1}'.format(indent, os.linesep))\n fpointer(os.linesep)\n fpointer('{0} $ {1}{2}'.format(indent, command, os.linesep))\n for line in stdout:\n line = _homogenize_linesep(line)\n if line.strip():\n fpointer(indent + ' ' + line.replace('\\t', ' ') + os.linesep)\n else:\n fpointer(os.linesep)\n", "role": "user" }, { "content": "term_echo", "role": "assistant" } ]
def x(string): callers_locals = {} frame = inspect.currentframe() try: outerframe = frame.f_back callers_locals = outerframe.f_locals finally: del frame return string.format(**callers_locals)
flo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string):\n callers_locals = {}\n frame = inspect.currentframe()\n try:\n outerframe = frame.f_back\n callers_locals = outerframe.f_locals\n finally:\n del frame\n return string.format(**callers_locals)\n", "role": "user" }, { "content": "flo", "role": "assistant" } ]
def x(color_code): def x(text, bold=False): code = color_code if bold: code = flo('1;{code}') return flo('\x1b[{code}m{text}\x1b[0m') return inner
wrap_with
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color_code):\n\n def x(text, bold=False):\n code = color_code\n if bold:\n code = flo('1;{code}')\n return flo('\\x1b[{code}m{text}\\x1b[0m')\n return inner\n", "role": "user" }, { "content": "wrap_with", "role": "assistant" } ]
def x(deltox=False): basedir = dirname(__file__) print(cyan('delete temp files and dirs for packaging')) local(flo( 'rm -rf {basedir}/.eggs/ {basedir}/utlz.egg-info/ {basedir}/dist {basedir}/README {basedir}/build/ ' )) print(cyan('\ndelete temp files and dirs for editing')) local(flo('rm -rf {basedir}/.cache {basedir}/.ropeproject ')) print(cyan('\ndelete bytecode compiled versions of the python src')) local(flo('find {basedir}/utlz {basedir}/tests ') + '\\( -name \\*pyc -o -name \\*.pyo -o -name __pycache__ -o -name \\*.so -o -name \\*.o -o -name \\*.c \\) -prune -exec rm -rf {} +' ) if deltox: print(cyan('\ndelete tox virual environments')) local(flo('cd {basedir} && rm -rf .tox/'))
clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(deltox=False):\n basedir = dirname(__file__)\n print(cyan('delete temp files and dirs for packaging'))\n local(flo(\n 'rm -rf {basedir}/.eggs/ {basedir}/utlz.egg-info/ {basedir}/dist {basedir}/README {basedir}/build/ '\n ))\n print(cyan('\\ndelete temp files and dirs for editing'))\n local(flo('rm -rf {basedir}/.cache {basedir}/.ropeproject '))\n print(cyan('\\ndelete bytecode compiled versions of the python src'))\n local(flo('find {basedir}/utlz {basedir}/tests ') +\n '\\\\( -name \\\\*pyc -o -name \\\\*.pyo -o -name __pycache__ -o -name \\\\*.so -o -name \\\\*.o -o -name \\\\*.c \\\\) -prune -exec rm -rf {} +'\n )\n if deltox:\n print(cyan('\\ndelete tox virual environments'))\n local(flo('cd {basedir} && rm -rf .tox/'))\n", "role": "user" }, { "content": "clean", "role": "assistant" } ]
def x(): if not _pyenv_exists(): print( """ pyenv is not installed. You can install it with fabsetup (https://github.com/theno/fabsetup): """ + cyan( """mkdir ~/repos && cd ~/repos git clone https://github.com/theno/fabsetup.git cd fabsetup && fab setup.pyenv -H localhost""" )) return 1 latest_pythons = _determine_latest_pythons() print(cyan('\n## install latest python versions')) for version in latest_pythons: local(flo('pyenv install --skip-existing {version}')) print(cyan('\n## activate pythons')) basedir = dirname(__file__) latest_pythons_str = ' '.join(latest_pythons) local(flo('cd {basedir} && pyenv local system {latest_pythons_str}')) highest_python = latest_pythons[-1] print(cyan(flo( '\n## prepare Python-{highest_python} for testing and packaging'))) packages_for_testing = 'pytest tox' packages_for_packaging = 'pypandoc twine' local(flo( '~/.pyenv/versions/{highest_python}/bin/pip install --upgrade pip {packages_for_testing} {packages_for_packaging}' ))
pythons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not _pyenv_exists():\n print(\n \"\"\"\npyenv is not installed. You can install it with fabsetup (https://github.com/theno/fabsetup):\n\n \"\"\"\n + cyan(\n \"\"\"mkdir ~/repos && cd ~/repos\n git clone https://github.com/theno/fabsetup.git\n cd fabsetup && fab setup.pyenv -H localhost\"\"\"\n ))\n return 1\n latest_pythons = _determine_latest_pythons()\n print(cyan('\\n## install latest python versions'))\n for version in latest_pythons:\n local(flo('pyenv install --skip-existing {version}'))\n print(cyan('\\n## activate pythons'))\n basedir = dirname(__file__)\n latest_pythons_str = ' '.join(latest_pythons)\n local(flo('cd {basedir} && pyenv local system {latest_pythons_str}'))\n highest_python = latest_pythons[-1]\n print(cyan(flo(\n '\\n## prepare Python-{highest_python} for testing and packaging')))\n packages_for_testing = 'pytest tox'\n packages_for_packaging = 'pypandoc twine'\n local(flo(\n '~/.pyenv/versions/{highest_python}/bin/pip install --upgrade pip {packages_for_testing} {packages_for_packaging}'\n ))\n", "role": "user" }, { "content": "pythons", "role": "assistant" } ]
def x(args=''): basedir = dirname(__file__) latest_pythons = _determine_latest_pythons() highest_minor_python = _highest_minor(latest_pythons) _local_needs_pythons(flo( 'cd {basedir} && python{highest_minor_python} -m tox {args}'))
tox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=''):\n basedir = dirname(__file__)\n latest_pythons = _determine_latest_pythons()\n highest_minor_python = _highest_minor(latest_pythons)\n _local_needs_pythons(flo(\n 'cd {basedir} && python{highest_minor_python} -m tox {args}'))\n", "role": "user" }, { "content": "tox", "role": "assistant" } ]
def x(): if query_yes_no('version updated in setup.py?'): print(cyan('\n## clean-up\n')) execute(clean) basedir = dirname(__file__) latest_pythons = _determine_latest_pythons() highest_minor = _highest_minor(latest_pythons) python = flo('python{highest_minor}') print(cyan('\n## build package')) _local_needs_pythons(flo('cd {basedir} && {python} setup.py sdist') ) print(cyan('\n## upload package')) local(flo('cd {basedir} && {python} -m twine upload dist/*'))
pypi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if query_yes_no('version updated in setup.py?'):\n print(cyan('\\n## clean-up\\n'))\n execute(clean)\n basedir = dirname(__file__)\n latest_pythons = _determine_latest_pythons()\n highest_minor = _highest_minor(latest_pythons)\n python = flo('python{highest_minor}')\n print(cyan('\\n## build package'))\n _local_needs_pythons(flo('cd {basedir} && {python} setup.py sdist')\n )\n print(cyan('\\n## upload package'))\n local(flo('cd {basedir} && {python} -m twine upload dist/*'))\n", "role": "user" }, { "content": "pypi", "role": "assistant" } ]
def x(line_num, num_cols, tax_id_col, id_col, symbol_col): bad_col = '' if tax_id_col >= num_cols: bad_col = 'tax_id_col' elif id_col >= num_cols: bad_col = 'discontinued_id_col' elif symbol_col >= num_cols: bad_col = 'discontinued_symbol_col' if bad_col: raise Exception( 'Input file line #%d: column number of %s is out of range' % ( line_num, bad_col))
chk_col_numbers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line_num, num_cols, tax_id_col, id_col, symbol_col):\n bad_col = ''\n if tax_id_col >= num_cols:\n bad_col = 'tax_id_col'\n elif id_col >= num_cols:\n bad_col = 'discontinued_id_col'\n elif symbol_col >= num_cols:\n bad_col = 'discontinued_symbol_col'\n if bad_col:\n raise Exception(\n 'Input file line #%d: column number of %s is out of range' % (\n line_num, bad_col))\n", "role": "user" }, { "content": "chk_col_numbers", "role": "assistant" } ]
def x(file_handle, tax_id, tax_id_col, id_col, symbol_col): if not tax_id or tax_id.isspace(): raise Exception('Input tax_id is blank') try: organism = Organism.objects.get(taxonomy_id=tax_id) except Organism.DoesNotExist: raise Exception( 'Input tax_id %s does NOT exist in Organism table. Please add it into Organism table first.' % tax_id) if tax_id_col < 0 or id_col < 0 or symbol_col < 0: raise Exception( 'tax_id_col, id_col and symbol_col must be positive integers') for line_index, line in enumerate(file_handle): if line.startswith('#'): continue fields = line.rstrip().split('\t') chk_col_numbers(line_index + 1, len(fields), tax_id_col, id_col, symbol_col) if tax_id != fields[tax_id_col]: continue entrez_id = fields[id_col] try: gene = Gene.objects.get(entrezid=entrez_id) if not gene.obsolete: gene.obsolete = True gene.save() except Gene.DoesNotExist: Gene.objects.create(entrezid=entrez_id, organism=organism, systematic_name=fields[symbol_col], obsolete=True)
import_gene_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_handle, tax_id, tax_id_col, id_col, symbol_col):\n if not tax_id or tax_id.isspace():\n raise Exception('Input tax_id is blank')\n try:\n organism = Organism.objects.get(taxonomy_id=tax_id)\n except Organism.DoesNotExist:\n raise Exception(\n 'Input tax_id %s does NOT exist in Organism table. Please add it into Organism table first.'\n % tax_id)\n if tax_id_col < 0 or id_col < 0 or symbol_col < 0:\n raise Exception(\n 'tax_id_col, id_col and symbol_col must be positive integers')\n for line_index, line in enumerate(file_handle):\n if line.startswith('#'):\n continue\n fields = line.rstrip().split('\\t')\n chk_col_numbers(line_index + 1, len(fields), tax_id_col, id_col,\n symbol_col)\n if tax_id != fields[tax_id_col]:\n continue\n entrez_id = fields[id_col]\n try:\n gene = Gene.objects.get(entrezid=entrez_id)\n if not gene.obsolete:\n gene.obsolete = True\n gene.save()\n except Gene.DoesNotExist:\n Gene.objects.create(entrezid=entrez_id, organism=organism,\n systematic_name=fields[symbol_col], obsolete=True)\n", "role": "user" }, { "content": "import_gene_history", "role": "assistant" } ]
def x(self, *, secrets_dir: str, log: Logger, bot_name: str='') ->None: super().__init__(secrets_dir=secrets_dir, log=log, bot_name=bot_name) self.ldebug('Retrieving ACCESS_TOKEN ...') with open(path.join(self.secrets_dir, 'ACCESS_TOKEN')) as f: ACCESS_TOKEN = f.read().strip() self.ldebug('Looking for INSTANCE_BASE_URL ...') instance_base_url_path = path.join(self.secrets_dir, 'INSTANCE_BASE_URL') if path.isfile(instance_base_url_path): with open(instance_base_url_path) as f: self.instance_base_url = f.read().strip() else: self.ldebug( "Couldn't find INSTANCE_BASE_URL, defaulting to mastodon.social.") self.instance_base_url = 'https://mastodon.social' self.api = mastodon.Mastodon(access_token=ACCESS_TOKEN, api_base_url= self.instance_base_url) self.html_re = re.compile('<.*?>')
cred_init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, secrets_dir: str, log: Logger, bot_name: str='') ->None:\n super().__init__(secrets_dir=secrets_dir, log=log, bot_name=bot_name)\n self.ldebug('Retrieving ACCESS_TOKEN ...')\n with open(path.join(self.secrets_dir, 'ACCESS_TOKEN')) as f:\n ACCESS_TOKEN = f.read().strip()\n self.ldebug('Looking for INSTANCE_BASE_URL ...')\n instance_base_url_path = path.join(self.secrets_dir, 'INSTANCE_BASE_URL')\n if path.isfile(instance_base_url_path):\n with open(instance_base_url_path) as f:\n self.instance_base_url = f.read().strip()\n else:\n self.ldebug(\n \"Couldn't find INSTANCE_BASE_URL, defaulting to mastodon.social.\")\n self.instance_base_url = 'https://mastodon.social'\n self.api = mastodon.Mastodon(access_token=ACCESS_TOKEN, api_base_url=\n self.instance_base_url)\n self.html_re = re.compile('<.*?>')\n", "role": "user" }, { "content": "cred_init", "role": "assistant" } ]
def x(self, *, text: str) ->List[OutputRecord]: try: status = self.api.status_post(status=text) return [TootRecord(record_data={'toot_id': status['id'], 'text': text}) ] except mastodon.MastodonError as e: return [self.handle_error( f"""Bot {self.bot_name} encountered an error when sending post {text} without media: {e} """ , e)]
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, text: str) ->List[OutputRecord]:\n try:\n status = self.api.status_post(status=text)\n return [TootRecord(record_data={'toot_id': status['id'], 'text': text})\n ]\n except mastodon.MastodonError as e:\n return [self.handle_error(\n f\"\"\"Bot {self.bot_name} encountered an error when sending post {text} without media:\n{e}\n\"\"\"\n , e)]\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, *, text: str, files: List[str], captions: List[str]=[]) ->List[ OutputRecord]: try: self.ldebug(f'Uploading files {files}.') if captions is None: captions = [] if len(files) > len(captions): captions.extend([self.default_caption_message] * (len(files) - len(captions))) media_dicts = [] for i, file in enumerate(files): caption = captions[i] media_dicts.append(self.api.media_post(file, description=caption)) self.ldebug(f'Media ids {media_dicts}') except mastodon.MastodonError as e: return [self.handle_error( f"""Bot {self.bot_name} encountered an error when uploading {files}: {e} """ , e)] try: status = self.api.status_post(status=text, media_ids=media_dicts) self.ldebug(f'Status object from toot: {status}.') return [TootRecord(record_data={'toot_id': status['id'], 'text': text, 'media_ids': media_dicts, 'captions': captions})] except mastodon.MastodonError as e: return [self.handle_error( f"""Bot {self.bot_name} encountered an error when sending post {text} with media dicts {media_dicts}: {e} """ , e)]
send_with_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, text: str, files: List[str], captions: List[str]=[]) ->List[\n OutputRecord]:\n try:\n self.ldebug(f'Uploading files {files}.')\n if captions is None:\n captions = []\n if len(files) > len(captions):\n captions.extend([self.default_caption_message] * (len(files) -\n len(captions)))\n media_dicts = []\n for i, file in enumerate(files):\n caption = captions[i]\n media_dicts.append(self.api.media_post(file, description=caption))\n self.ldebug(f'Media ids {media_dicts}')\n except mastodon.MastodonError as e:\n return [self.handle_error(\n f\"\"\"Bot {self.bot_name} encountered an error when uploading {files}:\n{e}\n\"\"\"\n , e)]\n try:\n status = self.api.status_post(status=text, media_ids=media_dicts)\n self.ldebug(f'Status object from toot: {status}.')\n return [TootRecord(record_data={'toot_id': status['id'], 'text':\n text, 'media_ids': media_dicts, 'captions': captions})]\n except mastodon.MastodonError as e:\n return [self.handle_error(\n f\"\"\"Bot {self.bot_name} encountered an error when sending post {text} with media dicts {media_dicts}:\n{e}\n\"\"\"\n , e)]\n", "role": "user" }, { "content": "send_with_media", "role": "assistant" } ]
def x(self, *, callback: Callable[..., str], lookback_limit: int, target_handle: str) ->List[OutputRecord]: self.log.info(f'Attempting to batch reply to mastodon user {target_handle}' ) handle_chunks = target_handle.split('@') target_base_handle = handle_chunks[1] records: List[OutputRecord] = [] our_id = self.api.account_verify_credentials()['id'] possible_accounts = self.api.account_search(target_handle, following=True) their_id = None for account in possible_accounts: if account['username'] == target_base_handle: their_id = account['id'] break if their_id is None: return [self.handle_error( f'Could not find target handle {target_handle}!', None)] statuses = self.api.account_statuses(their_id, limit=lookback_limit) for status in statuses: status_id = status.id our_statuses = self.api.account_statuses(our_id, since_id=status_id) in_reply_to_ids = list(map(lambda x: x.in_reply_to_id, our_statuses)) if status_id not in in_reply_to_ids: encoded_status_text = re.sub(self.html_re, '', status.content) status_text = html.unescape(encoded_status_text) message = callback(message_id=status_id, message=status_text, extra_keys={}) self.log.info( f'Replying {message} to status {status_id} from {target_handle}.' ) try: new_status = self.api.status_post(status=message, in_reply_to_id=status_id) records.append(TootRecord(record_data={'toot_id': new_status.id, 'in_reply_to': target_handle, 'in_reply_to_id': status_id, 'text': message})) except mastodon.MastodonError as e: records.append(self.handle_error( f"""Bot {self.bot_name} encountered an error when sending post {message} during a batch reply : {e} """ , e)) else: self.log.info( f'Not replying to status {status_id} from {target_handle} - we already replied.' ) return records
perform_batch_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *, callback: Callable[..., str], lookback_limit: int,\n target_handle: str) ->List[OutputRecord]:\n self.log.info(f'Attempting to batch reply to mastodon user {target_handle}'\n )\n handle_chunks = target_handle.split('@')\n target_base_handle = handle_chunks[1]\n records: List[OutputRecord] = []\n our_id = self.api.account_verify_credentials()['id']\n possible_accounts = self.api.account_search(target_handle, following=True)\n their_id = None\n for account in possible_accounts:\n if account['username'] == target_base_handle:\n their_id = account['id']\n break\n if their_id is None:\n return [self.handle_error(\n f'Could not find target handle {target_handle}!', None)]\n statuses = self.api.account_statuses(their_id, limit=lookback_limit)\n for status in statuses:\n status_id = status.id\n our_statuses = self.api.account_statuses(our_id, since_id=status_id)\n in_reply_to_ids = list(map(lambda x: x.in_reply_to_id, our_statuses))\n if status_id not in in_reply_to_ids:\n encoded_status_text = re.sub(self.html_re, '', status.content)\n status_text = html.unescape(encoded_status_text)\n message = callback(message_id=status_id, message=status_text,\n extra_keys={})\n self.log.info(\n f'Replying {message} to status {status_id} from {target_handle}.'\n )\n try:\n new_status = self.api.status_post(status=message,\n in_reply_to_id=status_id)\n records.append(TootRecord(record_data={'toot_id':\n new_status.id, 'in_reply_to': target_handle,\n 'in_reply_to_id': status_id, 'text': message}))\n except mastodon.MastodonError as e:\n records.append(self.handle_error(\n f\"\"\"Bot {self.bot_name} encountered an error when sending post {message} during a batch reply :\n{e}\n\"\"\"\n , e))\n else:\n self.log.info(\n f'Not replying to status {status_id} from {target_handle} - we already replied.'\n )\n return records\n", "role": "user" }, { "content": "perform_batch_reply", "role": "assistant" } ]
def x(self, message: str, e: mastodon.MastodonError) ->OutputRecord: self.lerror(f'Got an error! {e}') try: code = e[0]['code'] if code in self.handled_errors: self.handled_errors[code] else: pass except Exception: pass return TootRecord(error=e)
handle_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message: str, e: mastodon.MastodonError) ->OutputRecord:\n self.lerror(f'Got an error! {e}')\n try:\n code = e[0]['code']\n if code in self.handled_errors:\n self.handled_errors[code]\n else:\n pass\n except Exception:\n pass\n return TootRecord(error=e)\n", "role": "user" }, { "content": "handle_error", "role": "assistant" } ]
def x(self): self._fh.seek(0) buf = self._fh.read(4 * 2) fc, dc = struct.unpack('<II', buf) return fc, dc
read_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._fh.seek(0)\n buf = self._fh.read(4 * 2)\n fc, dc = struct.unpack('<II', buf)\n return fc, dc\n", "role": "user" }, { "content": "read_header", "role": "assistant" } ]
def x(self, you): self._listeners.append(you) self.raw.talk_to(you)
listen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, you):\n self._listeners.append(you)\n self.raw.talk_to(you)\n", "role": "user" }, { "content": "listen", "role": "assistant" } ]
def x(self, id): url = (self.url + '/%s.json') % id r = self.session.get(url) return r.json()
get_term_by_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n url = (self.url + '/%s.json') % id\n r = self.session.get(url)\n return r.json()\n", "role": "user" }, { "content": "get_term_by_id", "role": "assistant" } ]
def x(self, **kwargs): language = self._get_language(**kwargs) url = self.url + '/lijst.json' args = {'type[]': ['HR']} r = self.session.get(url, params=args) result = r.json() items = result top = self.get_by_id(items[0]['id']) res = [] def x(res, coll): for nid in coll.members: c = self.get_by_id(nid) res.append({'id': c.id, 'label': c.label(language)}) return res return expand_coll(res, top)
get_top_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n language = self._get_language(**kwargs)\n url = self.url + '/lijst.json'\n args = {'type[]': ['HR']}\n r = self.session.get(url, params=args)\n result = r.json()\n items = result\n top = self.get_by_id(items[0]['id'])\n res = []\n\n def x(res, coll):\n for nid in coll.members:\n c = self.get_by_id(nid)\n res.append({'id': c.id, 'label': c.label(language)})\n return res\n return expand_coll(res, top)\n", "role": "user" }, { "content": "get_top_display", "role": "assistant" } ]
def x(self, id, **kwargs): language = self._get_language(**kwargs) item = self.get_by_id(id) res = [] if isinstance(item, Collection): for mid in item.members: m = self.get_by_id(mid) res.append({'id': m.id, 'label': m.label(language)}) else: for cid in item.narrower: c = self.get_by_id(cid) res.append({'id': c.id, 'label': c.label(language)}) return res
get_children_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n language = self._get_language(**kwargs)\n item = self.get_by_id(id)\n res = []\n if isinstance(item, Collection):\n for mid in item.members:\n m = self.get_by_id(mid)\n res.append({'id': m.id, 'label': m.label(language)})\n else:\n for cid in item.narrower:\n c = self.get_by_id(cid)\n res.append({'id': c.id, 'label': c.label(language)})\n return res\n", "role": "user" }, { "content": "get_children_display", "role": "assistant" } ]
def x(id_list=None, from_id=None, to_id=None, organism=None): ids = set(id_list) not_found = set() from_ids = None if organism is not None: gene_objects_manager = Gene.objects.filter(organism__scientific_name =organism) else: gene_objects_manager = Gene.objects if from_id == 'Entrez': int_list = [] for x in ids: try: int_list.append(int(x)) except ValueError: not_found.add(x) ids = set(int_list) from_ids = gene_objects_manager.filter(entrezid__in=ids).values_list( 'entrezid', 'id') elif from_id == 'Systematic name': from_ids = gene_objects_manager.filter(systematic_name__in=ids ).values_list('systematic_name', 'id') elif from_id == 'Standard name': from_ids = gene_objects_manager.filter(standard_name__in=ids ).values_list('standard_name', 'id') elif from_id == 'Symbol': from_ids = gene_objects_manager.annotate(symbol=Coalesce( 'standard_name', 'systematic_name')).filter(symbol__in=ids ).values_list('symbol', 'id') else: xrdb = CrossRefDB.objects.get(name=from_id) from_ids = CrossRef.objects.filter(crossrefdb=xrdb).values_list('xrid', 'gene__id') from_id_map = {} gene_ids = [] for item in from_ids: from_id_map[item[0]] = item[1] gene_ids.append(item[1]) to_ids = None if to_id == 'Entrez': to_ids = Gene.objects.filter(id__in=gene_ids).values_list('id', 'entrezid') elif to_id == 'Systematic name': to_ids = Gene.objects.filter(id__in=gene_ids).values_list('id', 'systematic_name') elif to_id == 'Standard name': to_ids = Gene.objects.filter(id__in=gene_ids).values_list('id', 'standard_name') elif to_id == 'Symbol': to_ids = Gene.objects.annotate(symbol=Coalesce('standard_name', 'systematic_name')).filter(id__in=gene_ids).values_list('id', 'symbol') else: xrdb = CrossRefDB.objects.get(name=to_id) to_ids = CrossRef.objects.filter(crossrefdb=xrdb).values_list( 'gene__id', 'xrid') to_id_map = {} for item in to_ids: if not item[0] in to_id_map: to_id_map[item[0]] = [item[1]] else: to_id_map[item[0]].append(item[1]) from_to = {} for item in ids: try: gene_id = from_id_map[item] except KeyError: not_found.add(item) continue to_id = to_id_map[gene_id] from_to[item] = to_id from_to['not_found'] = list(not_found) return from_to
translate_genes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id_list=None, from_id=None, to_id=None, organism=None):\n ids = set(id_list)\n not_found = set()\n from_ids = None\n if organism is not None:\n gene_objects_manager = Gene.objects.filter(organism__scientific_name\n =organism)\n else:\n gene_objects_manager = Gene.objects\n if from_id == 'Entrez':\n int_list = []\n for x in ids:\n try:\n int_list.append(int(x))\n except ValueError:\n not_found.add(x)\n ids = set(int_list)\n from_ids = gene_objects_manager.filter(entrezid__in=ids).values_list(\n 'entrezid', 'id')\n elif from_id == 'Systematic name':\n from_ids = gene_objects_manager.filter(systematic_name__in=ids\n ).values_list('systematic_name', 'id')\n elif from_id == 'Standard name':\n from_ids = gene_objects_manager.filter(standard_name__in=ids\n ).values_list('standard_name', 'id')\n elif from_id == 'Symbol':\n from_ids = gene_objects_manager.annotate(symbol=Coalesce(\n 'standard_name', 'systematic_name')).filter(symbol__in=ids\n ).values_list('symbol', 'id')\n else:\n xrdb = CrossRefDB.objects.get(name=from_id)\n from_ids = CrossRef.objects.filter(crossrefdb=xrdb).values_list('xrid',\n 'gene__id')\n from_id_map = {}\n gene_ids = []\n for item in from_ids:\n from_id_map[item[0]] = item[1]\n gene_ids.append(item[1])\n to_ids = None\n if to_id == 'Entrez':\n to_ids = Gene.objects.filter(id__in=gene_ids).values_list('id',\n 'entrezid')\n elif to_id == 'Systematic name':\n to_ids = Gene.objects.filter(id__in=gene_ids).values_list('id',\n 'systematic_name')\n elif to_id == 'Standard name':\n to_ids = Gene.objects.filter(id__in=gene_ids).values_list('id',\n 'standard_name')\n elif to_id == 'Symbol':\n to_ids = Gene.objects.annotate(symbol=Coalesce('standard_name',\n 'systematic_name')).filter(id__in=gene_ids).values_list('id',\n 'symbol')\n else:\n xrdb = CrossRefDB.objects.get(name=to_id)\n to_ids = CrossRef.objects.filter(crossrefdb=xrdb).values_list(\n 'gene__id', 'xrid')\n to_id_map = {}\n for item in to_ids:\n if not item[0] in to_id_map:\n to_id_map[item[0]] = [item[1]]\n else:\n to_id_map[item[0]].append(item[1])\n from_to = {}\n for item in ids:\n try:\n gene_id = from_id_map[item]\n except KeyError:\n not_found.add(item)\n continue\n to_id = to_id_map[gene_id]\n from_to[item] = to_id\n from_to['not_found'] = list(not_found)\n return from_to\n", "role": "user" }, { "content": "translate_genes", "role": "assistant" } ]
def x(func): @wraps(func) def x(*args): return func(*_lmap(_wrap_surface, args)) return new_func
inner_func_anot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args):\n return func(*_lmap(_wrap_surface, args))\n return new_func\n", "role": "user" }, { "content": "inner_func_anot", "role": "assistant" } ]
def x(width=3, color=0): return Overlay(Line('h', width, color), Line('v', width, color))
Cross
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(width=3, color=0):\n return Overlay(Line('h', width, color), Line('v', width, color))\n", "role": "user" }, { "content": "Cross", "role": "assistant" } ]
def x(target, root=None): if type(root) == Surface: raise ValueError('A Surface may not be used as root, please add ' + 'it as a single child i.e. compose(...)(Surface(...))') @_inner_func_anot def x(*children): if root: root_context = root(*children) else: assert len(children) == 1 root_context = children[0] if type(target) == pygame.Surface: surface = target size = target.get_size() else: size = target surface = pygame.Surface(size) root_context._draw(surface, pygame.Rect(0, 0, *size)) return surface return inner_compose
compose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target, root=None):\n if type(root) == Surface:\n raise ValueError('A Surface may not be used as root, please add ' +\n 'it as a single child i.e. compose(...)(Surface(...))')\n\n @_inner_func_anot\n def x(*children):\n if root:\n root_context = root(*children)\n else:\n assert len(children) == 1\n root_context = children[0]\n if type(target) == pygame.Surface:\n surface = target\n size = target.get_size()\n else:\n size = target\n surface = pygame.Surface(size)\n root_context._draw(surface, pygame.Rect(0, 0, *size))\n return surface\n return inner_compose\n", "role": "user" }, { "content": "compose", "role": "assistant" } ]
def x(name=None, source='sys', italic=False, bold=False, size=20): assert source in ['sys', 'file'] if not name: return pygame.font.SysFont(pygame.font.get_default_font(), size, bold=bold, italic=italic) if source == 'sys': return pygame.font.SysFont(name, size, bold=bold, italic=italic) else: f = pygame.font.Font(name, size) f.set_italic(italic) f.set_bold(bold) return f
Font
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name=None, source='sys', italic=False, bold=False, size=20):\n assert source in ['sys', 'file']\n if not name:\n return pygame.font.SysFont(pygame.font.get_default_font(), size,\n bold=bold, italic=italic)\n if source == 'sys':\n return pygame.font.SysFont(name, size, bold=bold, italic=italic)\n else:\n f = pygame.font.Font(name, size)\n f.set_italic(italic)\n f.set_bold(bold)\n return f\n", "role": "user" }, { "content": "Font", "role": "assistant" } ]
def x(text, font, color=pygame.Color(0, 0, 0), antialias=False, align='center' ): assert align in ['center', 'left', 'right'] margin_l, margin_r = 1, 1 if align == 'left': margin_l = 0 elif align == 'right': margin_r = 0 margin = Margin(margin_l, margin_r) color_key = pygame.Color(0, 0, 1) if pygame.Color(0, 0, 1) != color else 2 text_surfaces = _lmap(lambda text: _text(text, font=font, color=color, antialias=antialias), map(methodcaller('strip'), text.split('\n'))) w = max(surf.get_rect().w for surf in text_surfaces) h = sum(surf.get_rect().h for surf in text_surfaces) surf = compose((w, h), Fill(color_key))(LinLayout('v')(*_lmap(lambda s: Surface(margin)(s), text_surfaces))) surf.set_colorkey(color_key) return surf.convert_alpha()
Text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, font, color=pygame.Color(0, 0, 0), antialias=False, align='center'\n ):\n assert align in ['center', 'left', 'right']\n margin_l, margin_r = 1, 1\n if align == 'left':\n margin_l = 0\n elif align == 'right':\n margin_r = 0\n margin = Margin(margin_l, margin_r)\n color_key = pygame.Color(0, 0, 1) if pygame.Color(0, 0, 1) != color else 2\n text_surfaces = _lmap(lambda text: _text(text, font=font, color=color,\n antialias=antialias), map(methodcaller('strip'), text.split('\\n')))\n w = max(surf.get_rect().w for surf in text_surfaces)\n h = sum(surf.get_rect().h for surf in text_surfaces)\n surf = compose((w, h), Fill(color_key))(LinLayout('v')(*_lmap(lambda s:\n Surface(margin)(s), text_surfaces)))\n surf.set_colorkey(color_key)\n return surf.convert_alpha()\n", "role": "user" }, { "content": "Text", "role": "assistant" } ]
def x(scale_w, scale_h=None): if not scale_h: scale_h = scale_w w_padding = [(1 - scale_w) * 0.5] * 2 h_padding = [(1 - scale_h) * 0.5] * 2 return Padding(*w_padding, *h_padding)
from_scale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scale_w, scale_h=None):\n if not scale_h:\n scale_h = scale_w\n w_padding = [(1 - scale_w) * 0.5] * 2\n h_padding = [(1 - scale_h) * 0.5] * 2\n return Padding(*w_padding, *h_padding)\n", "role": "user" }, { "content": "from_scale", "role": "assistant" } ]
def x(self, levels=None): url = WANIKANI_BASE.format(self.api_key, 'radicals') if levels: url += '/{0}'.format(levels) data = self.get(url) for item in data['requested_information']: yield Radical(item)
radicals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, levels=None):\n url = WANIKANI_BASE.format(self.api_key, 'radicals')\n if levels:\n url += '/{0}'.format(levels)\n data = self.get(url)\n for item in data['requested_information']:\n yield Radical(item)\n", "role": "user" }, { "content": "radicals", "role": "assistant" } ]
def x(self, levels=None): url = WANIKANI_BASE.format(self.api_key, 'kanji') if levels: url += '/{0}'.format(levels) data = self.get(url) for item in data['requested_information']: yield Kanji(item)
kanji
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, levels=None):\n url = WANIKANI_BASE.format(self.api_key, 'kanji')\n if levels:\n url += '/{0}'.format(levels)\n data = self.get(url)\n for item in data['requested_information']:\n yield Kanji(item)\n", "role": "user" }, { "content": "kanji", "role": "assistant" } ]
def x(self, levels=None): url = WANIKANI_BASE.format(self.api_key, 'vocabulary') if levels: url += '/{0}'.format(levels) data = self.get(url) if 'general' in data['requested_information']: for item in data['requested_information']['general']: yield Vocabulary(item) else: for item in data['requested_information']: yield Vocabulary(item)
vocabulary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, levels=None):\n url = WANIKANI_BASE.format(self.api_key, 'vocabulary')\n if levels:\n url += '/{0}'.format(levels)\n data = self.get(url)\n if 'general' in data['requested_information']:\n for item in data['requested_information']['general']:\n yield Vocabulary(item)\n else:\n for item in data['requested_information']:\n yield Vocabulary(item)\n", "role": "user" }, { "content": "vocabulary", "role": "assistant" } ]
def x(obj): return isinstance(obj, str) and len(obj) == 1 and obj in string.hexdigits
ishex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return isinstance(obj, str) and len(obj) == 1 and obj in string.hexdigits\n", "role": "user" }, { "content": "ishex", "role": "assistant" } ]
def x(obj): return obj is not None and not isinstance(obj, bool) and isinstance(obj, (int, float, complex))
isnumber
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return obj is not None and not isinstance(obj, bool) and isinstance(obj,\n (int, float, complex))\n", "role": "user" }, { "content": "isnumber", "role": "assistant" } ]
def x(obj): return obj is not None and not isinstance(obj, bool) and isinstance(obj, (int, float))
isreal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return obj is not None and not isinstance(obj, bool) and isinstance(obj,\n (int, float))\n", "role": "user" }, { "content": "isreal", "role": "assistant" } ]
def x(self, cls): return self.api_context_schema().load({'name': cls.name, 'cls': cls, 'inst': [], 'conf': self.conf.get_api_service(cls.name), 'calls': self.conf.get_api_calls(), 'shared': {}, 'log_level': self.conf. get_log_level(), 'callback': self.receive})
create_api_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls):\n return self.api_context_schema().load({'name': cls.name, 'cls': cls,\n 'inst': [], 'conf': self.conf.get_api_service(cls.name), 'calls':\n self.conf.get_api_calls(), 'shared': {}, 'log_level': self.conf.\n get_log_level(), 'callback': self.receive})\n", "role": "user" }, { "content": "create_api_context", "role": "assistant" } ]
def x(self, data, api_context): self.log.debug(f'Putting data on the pipeline: {data}') result = {'api_contexts': self.api_contexts, 'api_context': api_context, 'strategy': dict(), 'result': data, 'log_level': api_context[ 'log_level']} self.strat.execute(self.strategy_context_schema().load(result).data)
receive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, api_context):\n self.log.debug(f'Putting data on the pipeline: {data}')\n result = {'api_contexts': self.api_contexts, 'api_context': api_context,\n 'strategy': dict(), 'result': data, 'log_level': api_context[\n 'log_level']}\n self.strat.execute(self.strategy_context_schema().load(result).data)\n", "role": "user" }, { "content": "receive", "role": "assistant" } ]
def x(self, signum, frame): if not self.exit: self.exit = True self.log.debug(f'SIGTRAP!{signum};{frame}') self.api.shutdown() self.strat.shutdown()
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signum, frame):\n if not self.exit:\n self.exit = True\n self.log.debug(f'SIGTRAP!{signum};{frame}')\n self.api.shutdown()\n self.strat.shutdown()\n", "role": "user" }, { "content": "shutdown", "role": "assistant" } ]
def x(self): course = self.parent while course.parent: course = course.parent return course
course
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n course = self.parent\n while course.parent:\n course = course.parent\n return course\n", "role": "user" }, { "content": "course", "role": "assistant" } ]
def x(self): if self.parent is None: return self.title return join(self.parent.path, self.title)
path
[ { "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.parent is None:\n return self.title\n return join(self.parent.path, self.title)\n", "role": "user" }, { "content": "path", "role": "assistant" } ]
def x(self): tmp = c.namemap_lookup(self.id) if c.namemap_lookup(self.id ) is not None else self._title return secure_filename(tmp)
title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tmp = c.namemap_lookup(self.id) if c.namemap_lookup(self.id\n ) is not None else self._title\n return secure_filename(tmp)\n", "role": "user" }, { "content": "title", "role": "assistant" } ]
def x(self): tree = [] for entry in self.contents: if isinstance(entry, Document): tree.append(entry) else: tree += entry.deep_documents return tree
deep_documents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tree = []\n for entry in self.contents:\n if isinstance(entry, Document):\n tree.append(entry)\n else:\n tree += entry.deep_documents\n return tree\n", "role": "user" }, { "content": "deep_documents", "role": "assistant" } ]
def x(self): name = c.namemap_lookup(self.id) if name is None: name = self._title + ' ' + client.get_semester_title(self) c.namemap_set(self.id, name) return secure_filename(name)
title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name = c.namemap_lookup(self.id)\n if name is None:\n name = self._title + ' ' + client.get_semester_title(self)\n c.namemap_set(self.id, name)\n return secure_filename(name)\n", "role": "user" }, { "content": "title", "role": "assistant" } ]
def x(self, route, stream=False): log.debug('Running GET request against %s' % route) return r.get(self._url(route), auth=c.auth, stream=stream)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, route, stream=False):\n log.debug('Running GET request against %s' % route)\n return r.get(self._url(route), auth=c.auth, stream=stream)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, folder: Folder): log.debug('Listing Contents of %s/%s' % (folder.course.id, folder.id)) if isinstance(folder, Course): response = json.loads(self._get('/api/documents/%s/folder' % folder .course.id).text) else: response = json.loads(self._get('/api/documents/%s/folder/%s' % ( folder.course.id, folder.id)).text) log.debug('Got response: %s' % response) documents = [Document.from_response(response, folder) for response in response['documents']] folders = [Folder.from_response(response, folder) for response in response['folders']] return documents + folders
get_contents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, folder: Folder):\n log.debug('Listing Contents of %s/%s' % (folder.course.id, folder.id))\n if isinstance(folder, Course):\n response = json.loads(self._get('/api/documents/%s/folder' % folder\n .course.id).text)\n else:\n response = json.loads(self._get('/api/documents/%s/folder/%s' % (\n folder.course.id, folder.id)).text)\n log.debug('Got response: %s' % response)\n documents = [Document.from_response(response, folder) for response in\n response['documents']]\n folders = [Folder.from_response(response, folder) for response in\n response['folders']]\n return documents + folders\n", "role": "user" }, { "content": "get_contents", "role": "assistant" } ]
def x(self, document: Document, overwrite=True, path=None): if not path: path = os.path.join(os.path.expanduser(c['base_path']), document.path) if self.modified(document) and overwrite or not os.path.exists(join( path, document.title)): log.info('Downloading %s' % join(path, document.title)) file = self._get('/api/documents/%s/download' % document.id, stream =True) os.makedirs(path, exist_ok=True) with open(join(path, document.title), 'wb') as f: shutil.copyfileobj(file.raw, f)
download_document
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, document: Document, overwrite=True, path=None):\n if not path:\n path = os.path.join(os.path.expanduser(c['base_path']), document.path)\n if self.modified(document) and overwrite or not os.path.exists(join(\n path, document.title)):\n log.info('Downloading %s' % join(path, document.title))\n file = self._get('/api/documents/%s/download' % document.id, stream\n =True)\n os.makedirs(path, exist_ok=True)\n with open(join(path, document.title), 'wb') as f:\n shutil.copyfileobj(file.raw, f)\n", "role": "user" }, { "content": "download_document", "role": "assistant" } ]
def x(self, node: BaseNode): log.debug('Getting Semester Title for %s' % node.course.id) return self._get_semester_from_id(node.course.semester)
get_semester_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node: BaseNode):\n log.debug('Getting Semester Title for %s' % node.course.id)\n return self._get_semester_from_id(node.course.semester)\n", "role": "user" }, { "content": "get_semester_title", "role": "assistant" } ]
def x(self): log.info('Listing Courses...') courses = json.loads(self._get('/api/courses').text)['courses'] courses = [Course.from_response(course) for course in courses] log.debug('Courses: %s' % [str(entry) for entry in courses]) return courses
get_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.info('Listing Courses...')\n courses = json.loads(self._get('/api/courses').text)['courses']\n courses = [Course.from_response(course) for course in courses]\n log.debug('Courses: %s' % [str(entry) for entry in courses])\n return courses\n", "role": "user" }, { "content": "get_courses", "role": "assistant" } ]
def x(self, desc='Progress', rtol=1.4902e-08, atol=1.4902e-08, verbose=True): from tqdm import tqdm from numpy import asarray from brent_search import minimize as brent_minimize variables = self._variables.select(fixed=False) if len(variables) != 1: raise ValueError('The number of variables must be equal to one.') var = variables[variables.names()[0]] progress = tqdm(desc=desc, disable=not verbose) def x(x): progress.update(1) var.value = x return self.__sign * self.value() r = asarray(brent_minimize(func, a=var.bounds[0], b=var.bounds[1], rtol =rtol, atol=atol)) var.value = r[0] progress.close()
minimize_scalar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, desc='Progress', rtol=1.4902e-08, atol=1.4902e-08, verbose=True):\n from tqdm import tqdm\n from numpy import asarray\n from brent_search import minimize as brent_minimize\n variables = self._variables.select(fixed=False)\n if len(variables) != 1:\n raise ValueError('The number of variables must be equal to one.')\n var = variables[variables.names()[0]]\n progress = tqdm(desc=desc, disable=not verbose)\n\n def x(x):\n progress.update(1)\n var.value = x\n return self.__sign * self.value()\n r = asarray(brent_minimize(func, a=var.bounds[0], b=var.bounds[1], rtol\n =rtol, atol=atol))\n var.value = r[0]\n progress.close()\n", "role": "user" }, { "content": "minimize_scalar", "role": "assistant" } ]
def x(self, alg='sha256', b64=True, strip=True): import base64, hashlib h = hashlib.new(alg) h.update(str(self).encode('utf-8')) if b64 == True: b = base64.urlsafe_b64encode(h.digest()).decode('ascii') if strip == True: b = b.rstrip('=') return b else: return h.hexdigest()
digest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, alg='sha256', b64=True, strip=True):\n import base64, hashlib\n h = hashlib.new(alg)\n h.update(str(self).encode('utf-8'))\n if b64 == True:\n b = base64.urlsafe_b64encode(h.digest()).decode('ascii')\n if strip == True:\n b = b.rstrip('=')\n return b\n else:\n return h.hexdigest()\n", "role": "user" }, { "content": "digest", "role": "assistant" } ]
def x(self): outstring = self.titleify(allwords=True) outstring = re.sub('&[^;]+;', ' ', outstring) outstring = re.sub('\\W+', '', outstring) return String(outstring)
camelify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n outstring = self.titleify(allwords=True)\n outstring = re.sub('&[^;]+;', ' ', outstring)\n outstring = re.sub('\\\\W+', '', outstring)\n return String(outstring)\n", "role": "user" }, { "content": "camelify", "role": "assistant" } ]
def x(self, lang='en', allwords=False, lastword=True): if lang in LOWERCASE_WORDS: lc_words = LOWERCASE_WORDS[lang] else: lc_words = [] s = str(self).strip() l = re.split('([_\\W]+)', s) for i in range(len(l)): l[i] = l[i].lower() if allwords == True or i == 0 or lastword == True and i == len(l ) - 1 or l[i].lower() not in lc_words: w = l[i] if len(w) > 1: w = w[0].upper() + w[1:] else: w = w.upper() l[i] = w s = ''.join(l) return String(s)
titleify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lang='en', allwords=False, lastword=True):\n if lang in LOWERCASE_WORDS:\n lc_words = LOWERCASE_WORDS[lang]\n else:\n lc_words = []\n s = str(self).strip()\n l = re.split('([_\\\\W]+)', s)\n for i in range(len(l)):\n l[i] = l[i].lower()\n if allwords == True or i == 0 or lastword == True and i == len(l\n ) - 1 or l[i].lower() not in lc_words:\n w = l[i]\n if len(w) > 1:\n w = w[0].upper() + w[1:]\n else:\n w = w.upper()\n l[i] = w\n s = ''.join(l)\n return String(s)\n", "role": "user" }, { "content": "titleify", "role": "assistant" } ]
def x(self, camelsplit=False, ascii=True): return self.nameify(camelsplit=camelsplit, ascii=ascii, sep='_')
identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, camelsplit=False, ascii=True):\n return self.nameify(camelsplit=camelsplit, ascii=ascii, sep='_')\n", "role": "user" }, { "content": "identifier", "role": "assistant" } ]
def x(self, camelsplit=False, ascii=True, sep='-'): s = String(str(self)) if camelsplit == True: s = s.camelsplit() s = s.hyphenify(ascii=ascii).replace('-', sep) if len(s) == 0 or re.match('[A-Za-z_]', s[0]) is None: s = '_' + s return String(s)
nameify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, camelsplit=False, ascii=True, sep='-'):\n s = String(str(self))\n if camelsplit == True:\n s = s.camelsplit()\n s = s.hyphenify(ascii=ascii).replace('-', sep)\n if len(s) == 0 or re.match('[A-Za-z_]', s[0]) is None:\n s = '_' + s\n return String(s)\n", "role": "user" }, { "content": "nameify", "role": "assistant" } ]
def x(self, ascii=False): s = str(self) s = re.sub('[\'"‘’“”]', '', s) s = re.sub('(?:\\s|%20)+', '-', s) if ascii == True: s = s.encode('ascii', 'xmlcharrefreplace').decode('ascii') s = re.sub('&?([^;]*?);', '.\\1-', s) s = s.replace('#', 'u') s = re.sub('\\W+', '-', s).strip(' -') return String(s)
hyphenify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ascii=False):\n s = str(self)\n s = re.sub('[\\'\"‘’“”]', '', s)\n s = re.sub('(?:\\\\s|%20)+', '-', s)\n if ascii == True:\n s = s.encode('ascii', 'xmlcharrefreplace').decode('ascii')\n s = re.sub('&?([^;]*?);', '.\\\\1-', s)\n s = s.replace('#', 'u')\n s = re.sub('\\\\W+', '-', s).strip(' -')\n return String(s)\n", "role": "user" }, { "content": "hyphenify", "role": "assistant" } ]
def x(self): s = str(self) for i in range(len(s) - 1, -1, -1): if i != 0 and (s[i].isupper() and s[i - 1].isalnum() and not s[i - 1].isupper() or s[i].isnumeric() and s[i - 1].isalpha()): s = s[:i] + ' ' + s[i:] return String(s.strip())
camelsplit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n s = str(self)\n for i in range(len(s) - 1, -1, -1):\n if i != 0 and (s[i].isupper() and s[i - 1].isalnum() and not s[i - \n 1].isupper() or s[i].isnumeric() and s[i - 1].isalpha()):\n s = s[:i] + ' ' + s[i:]\n return String(s.strip())\n", "role": "user" }, { "content": "camelsplit", "role": "assistant" } ]
def x(config): global_settings = config.registry.settings settings = local_settings(global_settings, PREFIX) try: file = settings['file'] except KeyError: raise KeyError( "Must supply '{}.file' configuration value in order to configure logging via '{}'." .format(PREFIX, PROJECT)) with open(file, 'r') as f: logging_config = yaml.load(f) dictConfig(logging_config) if asbool(settings.get('transit_logging.enabled?', False)): config.add_tween('pyramid_sawing.main.TransitLogger')
includeme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n global_settings = config.registry.settings\n settings = local_settings(global_settings, PREFIX)\n try:\n file = settings['file']\n except KeyError:\n raise KeyError(\n \"Must supply '{}.file' configuration value in order to configure logging via '{}'.\"\n .format(PREFIX, PROJECT))\n with open(file, 'r') as f:\n logging_config = yaml.load(f)\n dictConfig(logging_config)\n if asbool(settings.get('transit_logging.enabled?', False)):\n config.add_tween('pyramid_sawing.main.TransitLogger')\n", "role": "user" }, { "content": "includeme", "role": "assistant" } ]
def x(self): self.api = self.context.get('cls')(self.context) self.context['inst'].append(self) for call, calldata in self.context.get('calls', {}).items(): def x(): while not self.stopped.wait(calldata.get('delay', None)): self.call(call, calldata.get('arguments', None)) self.thread[call] = Process(target=loop) self.thread[call].start()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.api = self.context.get('cls')(self.context)\n self.context['inst'].append(self)\n for call, calldata in self.context.get('calls', {}).items():\n\n def x():\n while not self.stopped.wait(calldata.get('delay', None)):\n self.call(call, calldata.get('arguments', None))\n self.thread[call] = Process(target=loop)\n self.thread[call].start()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, callname, arguments=None): action = getattr(self.api, callname, None) if action is None: try: action = self.api.ENDPOINT_OVERRIDES.get(callname, None) except AttributeError: action = callname if not callable(action): request = self._generate_request(action, arguments) if action is None: return self._generate_result(callname, self.api.call(*call_args (callname, arguments))) return self._generate_result(callname, self.api.call(*call_args( action, arguments))) request = self._generate_request(callname, arguments) return self._generate_result(callname, action(request))
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callname, arguments=None):\n action = getattr(self.api, callname, None)\n if action is None:\n try:\n action = self.api.ENDPOINT_OVERRIDES.get(callname, None)\n except AttributeError:\n action = callname\n if not callable(action):\n request = self._generate_request(action, arguments)\n if action is None:\n return self._generate_result(callname, self.api.call(*call_args\n (callname, arguments)))\n return self._generate_result(callname, self.api.call(*call_args(\n action, arguments)))\n request = self._generate_request(callname, arguments)\n return self._generate_result(callname, action(request))\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(self, callname, request): schema = self.api.request_schema() schema.context['callname'] = callname return schema.dump(request).data.get('payload')
generate_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callname, request):\n schema = self.api.request_schema()\n schema.context['callname'] = callname\n return schema.dump(request).data.get('payload')\n", "role": "user" }, { "content": "generate_request", "role": "assistant" } ]
def x(self, callname, result): schema = self.api.result_schema() schema.context['callname'] = callname self.callback(schema.load(result), self.context)
generate_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callname, result):\n schema = self.api.result_schema()\n schema.context['callname'] = callname\n self.callback(schema.load(result), self.context)\n", "role": "user" }, { "content": "generate_result", "role": "assistant" } ]
def x(index): X = lambda n: ~n and X(n // 26 - 1) + chr(65 + n % 26) or '' return X(int(index))
excel_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(index):\n X = lambda n: ~n and X(n // 26 - 1) + chr(65 + n % 26) or ''\n return X(int(index))\n", "role": "user" }, { "content": "excel_key", "role": "assistant" } ]
def x(raw_crash, processed_crash): for thread in glom(processed_crash, 'json_dump.threads', default=[]): for frame in thread.get('frames', []): if 'normalized' in frame: del frame['normalized'] crash_data = {'java_stack_trace': glom(processed_crash, 'java_stack_trace', default=None), 'crashing_thread': glom( processed_crash, 'json_dump.crash_info.crashing_thread', default= None), 'threads': glom(processed_crash, 'json_dump.threads', default=None), 'hang_type': glom(processed_crash, 'hang_type', default=None), 'os': glom(processed_crash, 'json_dump.system_info.os', default=None), 'oom_allocation_size': int_or_none(glom(raw_crash, 'OOMAllocationSize', default=None)), 'abort_message': glom(raw_crash, 'AbortMessage', default=None), 'mdsw_status_string': glom(processed_crash, 'mdsw_status_string', default=None), 'async_shutdown_timeout': glom(raw_crash, 'AsyncShutdownTimeout', default=None), 'jit_category': glom( processed_crash, 'classifications.jit.category', default=None), 'ipc_channel_error': glom(raw_crash, 'ipc_channel_error', default= None), 'ipc_message_name': glom(raw_crash, 'IPCMessageName', default=None), 'moz_crash_reason': glom(processed_crash, 'moz_crash_reason', default=None), 'additional_minidumps': glom( raw_crash, 'additional_minidumps', default=''), 'original_signature': glom(processed_crash, 'signature', default='')} return crash_data
convert_to_crash_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(raw_crash, processed_crash):\n for thread in glom(processed_crash, 'json_dump.threads', default=[]):\n for frame in thread.get('frames', []):\n if 'normalized' in frame:\n del frame['normalized']\n crash_data = {'java_stack_trace': glom(processed_crash,\n 'java_stack_trace', default=None), 'crashing_thread': glom(\n processed_crash, 'json_dump.crash_info.crashing_thread', default=\n None), 'threads': glom(processed_crash, 'json_dump.threads',\n default=None), 'hang_type': glom(processed_crash, 'hang_type',\n default=None), 'os': glom(processed_crash,\n 'json_dump.system_info.os', default=None), 'oom_allocation_size':\n int_or_none(glom(raw_crash, 'OOMAllocationSize', default=None)),\n 'abort_message': glom(raw_crash, 'AbortMessage', default=None),\n 'mdsw_status_string': glom(processed_crash, 'mdsw_status_string',\n default=None), 'async_shutdown_timeout': glom(raw_crash,\n 'AsyncShutdownTimeout', default=None), 'jit_category': glom(\n processed_crash, 'classifications.jit.category', default=None),\n 'ipc_channel_error': glom(raw_crash, 'ipc_channel_error', default=\n None), 'ipc_message_name': glom(raw_crash, 'IPCMessageName',\n default=None), 'moz_crash_reason': glom(processed_crash,\n 'moz_crash_reason', default=None), 'additional_minidumps': glom(\n raw_crash, 'additional_minidumps', default=''),\n 'original_signature': glom(processed_crash, 'signature', default='')}\n return crash_data\n", "role": "user" }, { "content": "convert_to_crash_data", "role": "assistant" } ]
def x(text): text = ''.join([c for c in text if c in ALLOWED_CHARS]) return text
drop_bad_characters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n text = ''.join([c for c in text if c in ALLOWED_CHARS])\n return text\n", "role": "user" }, { "content": "drop_bad_characters", "role": "assistant" } ]
def x(source_file): if not source_file: return None vcsinfo = source_file.split(':') if len(vcsinfo) == 4: vcstype, root, vcs_source_file, revision = vcsinfo return vcs_source_file if len(vcsinfo) == 2: vcstype, vcs_source_file = vcsinfo return vcs_source_file if source_file.startswith('/'): return source_file return None
parse_source_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_file):\n if not source_file:\n return None\n vcsinfo = source_file.split(':')\n if len(vcsinfo) == 4:\n vcstype, root, vcs_source_file, revision = vcsinfo\n return vcs_source_file\n if len(vcsinfo) == 2:\n vcstype, vcs_source_file = vcsinfo\n return vcs_source_file\n if source_file.startswith('/'):\n return source_file\n return None\n", "role": "user" }, { "content": "parse_source_file", "role": "assistant" } ]
def x(exceptions, before_token, after_token, token): if not exceptions: return False for s in exceptions: if before_token.endswith(s): return True if s in token: return True return False
is_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exceptions, before_token, after_token, token):\n if not exceptions:\n return False\n for s in exceptions:\n if before_token.endswith(s):\n return True\n if s in token:\n return True\n return False\n", "role": "user" }, { "content": "is_exception", "role": "assistant" } ]
def x(function, open_string, close_string, replacement='', exceptions=None): collapsed = [] open_count = 0 open_token = [] for i, char in enumerate(function): if not open_count: if char == open_string and not _is_exception(exceptions, function[:i], function[i + 1:], ''): open_count += 1 open_token = [char] else: collapsed.append(char) elif char == open_string: open_count += 1 open_token.append(char) elif char == close_string: open_count -= 1 open_token.append(char) if open_count == 0: token = ''.join(open_token) if _is_exception(exceptions, function[:i], function[i + 1:], token): collapsed.append(''.join(open_token)) else: collapsed.append(replacement) open_token = [] else: open_token.append(char) if open_count: token = ''.join(open_token) if _is_exception(exceptions, function[:i], function[i + 1:], token): collapsed.append(''.join(open_token)) else: collapsed.append(replacement) return ''.join(collapsed)
collapse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function, open_string, close_string, replacement='', exceptions=None):\n collapsed = []\n open_count = 0\n open_token = []\n for i, char in enumerate(function):\n if not open_count:\n if char == open_string and not _is_exception(exceptions,\n function[:i], function[i + 1:], ''):\n open_count += 1\n open_token = [char]\n else:\n collapsed.append(char)\n elif char == open_string:\n open_count += 1\n open_token.append(char)\n elif char == close_string:\n open_count -= 1\n open_token.append(char)\n if open_count == 0:\n token = ''.join(open_token)\n if _is_exception(exceptions, function[:i], function[i + 1:],\n token):\n collapsed.append(''.join(open_token))\n else:\n collapsed.append(replacement)\n open_token = []\n else:\n open_token.append(char)\n if open_count:\n token = ''.join(open_token)\n if _is_exception(exceptions, function[:i], function[i + 1:], token):\n collapsed.append(''.join(open_token))\n else:\n collapsed.append(replacement)\n return ''.join(collapsed)\n", "role": "user" }, { "content": "collapse", "role": "assistant" } ]
def x(function): DELIMITERS = {'(': ')', '{': '}', '[': ']', '<': '>', '`': "'"} OPEN = DELIMITERS.keys() CLOSE = DELIMITERS.values() tokens = [] levels = [] current = [] for i, char in enumerate(function): if char in OPEN: levels.append(char) current.append(char) elif char in CLOSE: if levels and DELIMITERS[levels[-1]] == char: levels.pop() current.append(char) else: current.append(char) elif levels: current.append(char) elif char == ' ': tokens.append(''.join(current)) current = [] else: current.append(char) if current: tokens.append(''.join(current)) while len(tokens) > 1 and tokens[-1].startswith(('(', '[clone')): tokens = tokens[:-2] + [' '.join(tokens[-2:])] return tokens[-1]
drop_prefix_and_return_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function):\n DELIMITERS = {'(': ')', '{': '}', '[': ']', '<': '>', '`': \"'\"}\n OPEN = DELIMITERS.keys()\n CLOSE = DELIMITERS.values()\n tokens = []\n levels = []\n current = []\n for i, char in enumerate(function):\n if char in OPEN:\n levels.append(char)\n current.append(char)\n elif char in CLOSE:\n if levels and DELIMITERS[levels[-1]] == char:\n levels.pop()\n current.append(char)\n else:\n current.append(char)\n elif levels:\n current.append(char)\n elif char == ' ':\n tokens.append(''.join(current))\n current = []\n else:\n current.append(char)\n if current:\n tokens.append(''.join(current))\n while len(tokens) > 1 and tokens[-1].startswith(('(', '[clone')):\n tokens = tokens[:-2] + [' '.join(tokens[-2:])]\n return tokens[-1]\n", "role": "user" }, { "content": "drop_prefix_and_return_type", "role": "assistant" } ]
def x(self, conns=None, timeout=None): if timeout: deadline = time.time() + timeout conns = conns or self._started_peers.keys() if not hasattr(conns, '__iter__'): conns = [conns] for peer_addr in conns: remaining = max(0, deadline - time.time()) if timeout else None if not self._started_peers[peer_addr].wait_connected(remaining): if timeout: log.warn('connect wait timed out after %.2f seconds' % timeout) return False return True
wait_connected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, conns=None, timeout=None):\n if timeout:\n deadline = time.time() + timeout\n conns = conns or self._started_peers.keys()\n if not hasattr(conns, '__iter__'):\n conns = [conns]\n for peer_addr in conns:\n remaining = max(0, deadline - time.time()) if timeout else None\n if not self._started_peers[peer_addr].wait_connected(remaining):\n if timeout:\n log.warn('connect wait timed out after %.2f seconds' % timeout)\n return False\n return True\n", "role": "user" }, { "content": "wait_connected", "role": "assistant" } ]
def x(self): log.info('shutting down') for peer in self._dispatcher.peers.values(): peer.go_down(reconnect=False) if self._listener_coro: backend.schedule_exception(errors._BailOutOfListener(), self. _listener_coro) if self._udp_listener_coro: backend.schedule_exception(errors._BailOutOfListener(), self. _udp_listener_coro)
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.info('shutting down')\n for peer in self._dispatcher.peers.values():\n peer.go_down(reconnect=False)\n if self._listener_coro:\n backend.schedule_exception(errors._BailOutOfListener(), self.\n _listener_coro)\n if self._udp_listener_coro:\n backend.schedule_exception(errors._BailOutOfListener(), self.\n _udp_listener_coro)\n", "role": "user" }, { "content": "shutdown", "role": "assistant" } ]
def x(self, service, mask, value, method, handler=None, schedule=False): if handler is None: return lambda h: self.accept_publish(service, mask, value, method, h, schedule) log.info('accepting publishes%s %r' % (' scheduled' if schedule else '', (service, (mask, value), method))) self._dispatcher.add_local_subscription(const.MSG_TYPE_PUBLISH, service, mask, value, method, handler, schedule) return handler
accept_publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, mask, value, method, handler=None, schedule=False):\n if handler is None:\n return lambda h: self.accept_publish(service, mask, value, method,\n h, schedule)\n log.info('accepting publishes%s %r' % (' scheduled' if schedule else '',\n (service, (mask, value), method)))\n self._dispatcher.add_local_subscription(const.MSG_TYPE_PUBLISH, service,\n mask, value, method, handler, schedule)\n return handler\n", "role": "user" }, { "content": "accept_publish", "role": "assistant" } ]
def x(self, service, mask, value): log.info('unsubscribing from publish %r' % ((service, (mask, value)),)) return self._dispatcher.remove_local_subscription(const. MSG_TYPE_PUBLISH, service, mask, value)
unsubscribe_publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, mask, value):\n log.info('unsubscribing from publish %r' % ((service, (mask, value)),))\n return self._dispatcher.remove_local_subscription(const.\n MSG_TYPE_PUBLISH, service, mask, value)\n", "role": "user" }, { "content": "unsubscribe_publish", "role": "assistant" } ]