source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, name, status, timer): timer_template = '%s %s %s : %s : %9s' t = str(timedelta(0, timer)).split(',')[-1].strip().split(':') if len(t) == 4: h, m, s = int(t[0]) * 24 + int(t[1]), int(t[2]), float(t[3]) elif len(t) == 3: h, m, s = int(t[0]), int(t[1]), float(t[2]) else: h, m, s = 0, 0, str(t) return timer_template % (name[:20].ljust(20), status[:7].ljust(7), '%3d' % h if h != 0 else ' --', '%2d' % m if m != 0 else '--', '%.6f' % s if isinstance(s, float) else s)
return_timer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, status, timer):\n timer_template = '%s %s %s : %s : %9s'\n t = str(timedelta(0, timer)).split(',')[-1].strip().split(':')\n if len(t) == 4:\n h, m, s = int(t[0]) * 24 + int(t[1]), int(t[2]), float(t[3])\n elif len(t) == 3:\n h, m, s = int(t[0]), int(t[1]), float(t[2])\n else:\n h, m, s = 0, 0, str(t)\n return timer_template % (name[:20].ljust(20), status[:7].ljust(7), \n '%3d' % h if h != 0 else ' --', '%2d' % m if m != 0 else '--', \n '%.6f' % s if isinstance(s, float) else s)\n", "role": "user" }, { "content": "return_timer", "role": "assistant" } ]
def x(self): self.timer += time() total_time = self.timer tmp = '* %s *' debug.log('', '* ' * 29, tmp % (' ' * 51), tmp % ('%s %s %s' % ( 'Program Name'.ljust(20), 'Status'.ljust(7), 'Execute Time (H:M:S)' )), tmp % ('=' * 51)) for name in self.list: if self.exists(name): timer = getattr(self, name).get_time() status = getattr(self, name).get_status() self.timer -= timer debug.log(tmp % self.return_timer(name, status, timer)) else: debug.log(tmp % ('%s %s -- : -- : --' % (name[:20].ljust(20), ' ' * 8))) debug.log(tmp % self.return_timer('Wrapper', '', self.timer), tmp % ( '=' * 51), tmp % self.return_timer('Total', '', total_time), tmp % (' ' * 51), '* ' * 29, '')
print_timers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.timer += time()\n total_time = self.timer\n tmp = '* %s *'\n debug.log('', '* ' * 29, tmp % (' ' * 51), tmp % ('%s %s %s' % (\n 'Program Name'.ljust(20), 'Status'.ljust(7), 'Execute Time (H:M:S)'\n )), tmp % ('=' * 51))\n for name in self.list:\n if self.exists(name):\n timer = getattr(self, name).get_time()\n status = getattr(self, name).get_status()\n self.timer -= timer\n debug.log(tmp % self.return_timer(name, status, timer))\n else:\n debug.log(tmp % ('%s %s -- : -- : --' % (name[:20].ljust(20), \n ' ' * 8)))\n debug.log(tmp % self.return_timer('Wrapper', '', self.timer), tmp % (\n '=' * 51), tmp % self.return_timer('Total', '', total_time), tmp %\n (' ' * 51), '* ' * 29, '')\n", "role": "user" }, { "content": "print_timers", "role": "assistant" } ]
def x(self): cmd = [] if self.path is not None: if '/' in self.path and not os.path.exists(self.path): debug.log('Error: path contains / but does not exist: %s' % self.path) else: if self.ptype is not None: if os.path.exists(self.ptype): cmd.append(self.ptype) elif '/' not in self.ptype: for path in os.environ['PATH'].split(os.pathsep): path = path.strip('"') ppath = os.path.join(path, self.ptype) if os.path.isfile(ppath): cmd.append(ppath) break cmd.append(self.path) if sys.version_info < (3, 0): cmd.extend([(str(x) if not isinstance(x, unicode) else x. encode('utf-8')) for x in [quote(str(x)) for x in self. args] + self.unquoted_args]) else: cmd.extend([str(x) for x in [quote(str(x)) for x in self. args] + self.unquoted_args]) else: debug.log('Error: Program path not set!') return ' '.join(cmd)
get_cmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cmd = []\n if self.path is not None:\n if '/' in self.path and not os.path.exists(self.path):\n debug.log('Error: path contains / but does not exist: %s' %\n self.path)\n else:\n if self.ptype is not None:\n if os.path.exists(self.ptype):\n cmd.append(self.ptype)\n elif '/' not in self.ptype:\n for path in os.environ['PATH'].split(os.pathsep):\n path = path.strip('\"')\n ppath = os.path.join(path, self.ptype)\n if os.path.isfile(ppath):\n cmd.append(ppath)\n break\n cmd.append(self.path)\n if sys.version_info < (3, 0):\n cmd.extend([(str(x) if not isinstance(x, unicode) else x.\n encode('utf-8')) for x in [quote(str(x)) for x in self.\n args] + self.unquoted_args])\n else:\n cmd.extend([str(x) for x in [quote(str(x)) for x in self.\n args] + self.unquoted_args])\n else:\n debug.log('Error: Program path not set!')\n return ' '.join(cmd)\n", "role": "user" }, { "content": "get_cmd", "role": "assistant" } ]
def x(self, arg): debug.log('Adding Arguments: %s' % arg) if isinstance(arg, (int, float)): self.args.append(str(arg)) if isinstance(arg, str): self.args.append(arg) if isinstance(arg, list): if sys.version_info < (3, 0): self.args.extend([(str(x) if not isinstance(x, unicode) else x. encode('utf-8')) for x in arg]) else: self.args.extend([str(x) for x in arg])
append_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n debug.log('Adding Arguments: %s' % arg)\n if isinstance(arg, (int, float)):\n self.args.append(str(arg))\n if isinstance(arg, str):\n self.args.append(arg)\n if isinstance(arg, list):\n if sys.version_info < (3, 0):\n self.args.extend([(str(x) if not isinstance(x, unicode) else x.\n encode('utf-8')) for x in arg])\n else:\n self.args.extend([str(x) for x in arg])\n", "role": "user" }, { "content": "append_args", "role": "assistant" } ]
def x(self): prog_cmd = self.get_cmd().strip() if prog_cmd == '': self.status = 'Failure' debug.log('Error: No program to execute for %s!' % self.name) debug.log( 'Could not combine path and arguments into cmdline:\n%s %s)\n' % (self.path, ' '.join(self.args))) else: debug.log('\n\nExecute %s...\n%s' % (self.name, prog_cmd)) script = '%s.sh' % self.name if self.wdir != '': script = '%s/%s' % (self.wdir, script) else: script = '%s/%s' % (os.getcwd(), script) with open_(script, 'w') as f: f.write('#!/bin/bash\n') if self.wdir != '': f.write('cd {workdir}\n'.format(workdir=self.wdir)) f.write( """touch {stdout} {stderr} chmod a+r {stdout} {stderr} {cmd} 1> {stdout} 2> {stderr} ec=$? """ .format(stdout=self.stdout, stderr=self.stderr, cmd=prog_cmd)) if not self.forcewait: f.write( """if [ "$ec" -ne "0" ]; then echo "Error" >> {stderr}; else echo "Done" >> {stderr}; fi """ .format(stderr=self.stderr)) f.write('exit $ec\n') os.chmod(script, 484) if self.queue is not None: other_args = '' if self.forcewait: other_args += '-K ' cmd = ( '/usr/bin/qsub -l nodes=1:ppn={procs},walltime={hours}:00:00,mem={mem}g -r y {workdir_arg} {other_args} {cmd}' .format(procs=self.procs, hours=self.walltime, mem=self.mem, workdir_arg='-d %s' % self.wdir if self.wdir != '' else '', other_args=other_args, cmd=script)) debug.log('\n\nTORQUE SETUP %s...\n%s\n' % (self.name, cmd)) else: cmd = script if self.server is not None: cmd = 'ssh {server} {cmd}'.format(server=self.server, cmd=quote (cmd)) self.status = 'Executing' self.update_timer(-time()) if self.forcewait: self.p = Popen(cmd) ec = self.p.wait() if ec == 0: debug.log('Program finished successfully!') self.status = 'Done' else: debug.log('Program failed on execution!') self.status = 'Failure' self.p = None else: debug.log('CMD: %s' % cmd) self.p = Popen(cmd) self.update_timer(time()) debug.log('timed: %s' % self.get_time())
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n prog_cmd = self.get_cmd().strip()\n if prog_cmd == '':\n self.status = 'Failure'\n debug.log('Error: No program to execute for %s!' % self.name)\n debug.log(\n 'Could not combine path and arguments into cmdline:\\n%s %s)\\n' %\n (self.path, ' '.join(self.args)))\n else:\n debug.log('\\n\\nExecute %s...\\n%s' % (self.name, prog_cmd))\n script = '%s.sh' % self.name\n if self.wdir != '':\n script = '%s/%s' % (self.wdir, script)\n else:\n script = '%s/%s' % (os.getcwd(), script)\n with open_(script, 'w') as f:\n f.write('#!/bin/bash\\n')\n if self.wdir != '':\n f.write('cd {workdir}\\n'.format(workdir=self.wdir))\n f.write(\n \"\"\"touch {stdout} {stderr}\nchmod a+r {stdout} {stderr}\n{cmd} 1> {stdout} 2> {stderr}\nec=$?\n\"\"\"\n .format(stdout=self.stdout, stderr=self.stderr, cmd=prog_cmd))\n if not self.forcewait:\n f.write(\n \"\"\"if [ \"$ec\" -ne \"0\" ]; then echo \"Error\" >> {stderr}; else echo \"Done\" >> {stderr}; fi\n\"\"\"\n .format(stderr=self.stderr))\n f.write('exit $ec\\n')\n os.chmod(script, 484)\n if self.queue is not None:\n other_args = ''\n if self.forcewait:\n other_args += '-K '\n cmd = (\n '/usr/bin/qsub -l nodes=1:ppn={procs},walltime={hours}:00:00,mem={mem}g -r y {workdir_arg} {other_args} {cmd}'\n .format(procs=self.procs, hours=self.walltime, mem=self.mem,\n workdir_arg='-d %s' % self.wdir if self.wdir != '' else '',\n other_args=other_args, cmd=script))\n debug.log('\\n\\nTORQUE SETUP %s...\\n%s\\n' % (self.name, cmd))\n else:\n cmd = script\n if self.server is not None:\n cmd = 'ssh {server} {cmd}'.format(server=self.server, cmd=quote\n (cmd))\n self.status = 'Executing'\n self.update_timer(-time())\n if self.forcewait:\n self.p = Popen(cmd)\n ec = self.p.wait()\n if ec == 0:\n debug.log('Program finished successfully!')\n self.status = 'Done'\n else:\n debug.log('Program failed on execution!')\n self.status = 'Failure'\n self.p = None\n else:\n debug.log('CMD: %s' % cmd)\n self.p = Popen(cmd)\n self.update_timer(time())\n debug.log('timed: %s' % self.get_time())\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, pattern='Done', interval=None, epatterns=['error', 'Error', 'STACK', 'Traceback']): increasing_interval = False if interval is None: increasing_interval = True interval = 10 if self.wdir != '': stderr = '%s/%s' % (self.wdir, self.stderr) else: stderr = self.stderr debug.log('\nWaiting for %s to finish...' % str(self.name)) if self.status == 'Executing': self.update_timer(-time()) found = False if self.queue is not None: debug.log(' Waiting for the error log to be created (%s)...' % stderr) max_queued_time = 10800 while not os.path.exists(stderr) and time( ) + self.timer < max_queued_time and time() + self.timer > 0: debug.log( ' Waiting... (max wait time left: %s seconds)' % str(max_queued_time - time() - self.timer)) sleep(interval) if increasing_interval: interval *= 1.1 if os.path.exists(stderr): if increasing_interval: interval = 10 debug.log( '\nError log created, waiting for program to finish...') max_time = time() + self.walltime * 60 * 60 while time() < max_time: with open_(stderr) as f: for l in f.readlines()[-5:]: if pattern in l: found = True max_time = 0 break elif any([(ep in l) for ep in epatterns]): found = False max_time = 0 break if max_time > 0: debug.log( ' Waiting... (max wait-time left: %s seconds)' % str(max_time - time())) sleep(interval) if found: debug.log(' Program finished successfully!') self.status = 'Done' else: debug.log( 'Error: Program took too long, or finished with error!' ) if self.verbose: debug.print_out('Technical error occurred!\n', """The service was not able to produce a result. """ , 'Please check your settings are correct, and the file type matches what you specified.\n' , """Try again, and if the problem persists please notify the technical support. """ ) self.status = 'Failure' else: debug.log('Error: %s still does not exist!\n' % stderr, 'This error might be caused by the cgebase not being available!' ) if self.verbose: debug.print_out('Technical error occurred!\n', """This error might be caused by the server not being available! """ , 'Try again later, and if the problem persists please notify the technical support.\n' , """Sorry for any inconvenience. """) self.status = 'Failure' if not self.p is None: self.p.wait() self.p = None elif self.p is None: debug.log('Program not instanciated!') self.status = 'Failure' else: ec = self.p.wait() if ec != 0: debug.log('Program failed on execution!') self.status = 'Failure' elif os.path.exists(stderr): with open_(stderr) as f: for l in f.readlines()[-5:]: if pattern in l: found = True break elif any([(ep in l) for ep in epatterns]): found = False break if found: debug.log(' Program finished successfully!') self.status = 'Done' else: debug.log('Error: Program failed to finish properly!') if self.verbose: debug.print_out('Technical error occurred!\n', """The service was not able to produce a result. """ , 'Please check your settings are correct, and the file ' + 'type matches what you specified.', 'Try again, and if ' + 'the problem persists please notify the technical ' + 'support.\n') self.status = 'Failure' else: debug.log('Error: %s does not exist!\n' % stderr, 'This error might be caused by the cgebase not being ' + 'available!') if self.verbose: debug.print_out('Technical error occurred!\n', 'This error might be caused by the server not being ' + 'available!\n', 'Try again later, and if the problem ' + """persists please notify the technical support. """, 'Sorry for any inconvenience.\n') self.status = 'Failure' self.p = None self.update_timer(time()) debug.log(' timed: %s' % self.get_time()) else: debug.log(' The check-out of the program has been sorted previously.' )
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern='Done', interval=None, epatterns=['error', 'Error',\n 'STACK', 'Traceback']):\n increasing_interval = False\n if interval is None:\n increasing_interval = True\n interval = 10\n if self.wdir != '':\n stderr = '%s/%s' % (self.wdir, self.stderr)\n else:\n stderr = self.stderr\n debug.log('\\nWaiting for %s to finish...' % str(self.name))\n if self.status == 'Executing':\n self.update_timer(-time())\n found = False\n if self.queue is not None:\n debug.log(' Waiting for the error log to be created (%s)...' %\n stderr)\n max_queued_time = 10800\n while not os.path.exists(stderr) and time(\n ) + self.timer < max_queued_time and time() + self.timer > 0:\n debug.log(\n ' Waiting... (max wait time left: %s seconds)' %\n str(max_queued_time - time() - self.timer))\n sleep(interval)\n if increasing_interval:\n interval *= 1.1\n if os.path.exists(stderr):\n if increasing_interval:\n interval = 10\n debug.log(\n '\\nError log created, waiting for program to finish...')\n max_time = time() + self.walltime * 60 * 60\n while time() < max_time:\n with open_(stderr) as f:\n for l in f.readlines()[-5:]:\n if pattern in l:\n found = True\n max_time = 0\n break\n elif any([(ep in l) for ep in epatterns]):\n found = False\n max_time = 0\n break\n if max_time > 0:\n debug.log(\n ' Waiting... (max wait-time left: %s seconds)'\n % str(max_time - time()))\n sleep(interval)\n if found:\n debug.log(' Program finished successfully!')\n self.status = 'Done'\n else:\n debug.log(\n 'Error: Program took too long, or finished with error!'\n )\n if self.verbose:\n debug.print_out('Technical error occurred!\\n',\n \"\"\"The service was not able to produce a result.\n\"\"\"\n ,\n 'Please check your settings are correct, and the file type matches what you specified.\\n'\n ,\n \"\"\"Try again, and if the problem persists please notify the technical support.\n\"\"\"\n )\n self.status = 'Failure'\n else:\n debug.log('Error: %s still does not exist!\\n' % stderr,\n 'This error might be caused by the cgebase not being available!'\n )\n if self.verbose:\n debug.print_out('Technical error occurred!\\n',\n \"\"\"This error might be caused by the server not being available!\n\"\"\"\n ,\n 'Try again later, and if the problem persists please notify the technical support.\\n'\n , \"\"\"Sorry for any inconvenience.\n\"\"\")\n self.status = 'Failure'\n if not self.p is None:\n self.p.wait()\n self.p = None\n elif self.p is None:\n debug.log('Program not instanciated!')\n self.status = 'Failure'\n else:\n ec = self.p.wait()\n if ec != 0:\n debug.log('Program failed on execution!')\n self.status = 'Failure'\n elif os.path.exists(stderr):\n with open_(stderr) as f:\n for l in f.readlines()[-5:]:\n if pattern in l:\n found = True\n break\n elif any([(ep in l) for ep in epatterns]):\n found = False\n break\n if found:\n debug.log(' Program finished successfully!')\n self.status = 'Done'\n else:\n debug.log('Error: Program failed to finish properly!')\n if self.verbose:\n debug.print_out('Technical error occurred!\\n',\n \"\"\"The service was not able to produce a result.\n\"\"\"\n , \n 'Please check your settings are correct, and the file '\n + 'type matches what you specified.', \n 'Try again, and if ' +\n 'the problem persists please notify the technical '\n + 'support.\\n')\n self.status = 'Failure'\n else:\n debug.log('Error: %s does not exist!\\n' % stderr, \n 'This error might be caused by the cgebase not being ' +\n 'available!')\n if self.verbose:\n debug.print_out('Technical error occurred!\\n', \n 'This error might be caused by the server not being ' +\n 'available!\\n', \n 'Try again later, and if the problem ' +\n \"\"\"persists please notify the technical support.\n\"\"\",\n 'Sorry for any inconvenience.\\n')\n self.status = 'Failure'\n self.p = None\n self.update_timer(time())\n debug.log(' timed: %s' % self.get_time())\n else:\n debug.log(' The check-out of the program has been sorted previously.'\n )\n", "role": "user" }, { "content": "wait", "role": "assistant" } ]
def x(self): if self.wdir != '': stdout = '%s/%s' % (self.wdir, self.stdout) else: stdout = self.stdout if os.path.exists(stdout): with open_(stdout, 'r') as f: debug.print_out('\n'.join([line for line in f])) else: debug.log('Error: The stdout file %s does not exist!' % stdout)
print_stdout
[ { "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.wdir != '':\n stdout = '%s/%s' % (self.wdir, self.stdout)\n else:\n stdout = self.stdout\n if os.path.exists(stdout):\n with open_(stdout, 'r') as f:\n debug.print_out('\\n'.join([line for line in f]))\n else:\n debug.log('Error: The stdout file %s does not exist!' % stdout)\n", "role": "user" }, { "content": "print_stdout", "role": "assistant" } ]
def x(self, varnames=[]): if self.wdir != '': stdout = '%s/%s' % (self.wdir, self.stdout) else: stdout = self.stdout response = [None] * len(varnames) if os.path.exists(stdout): with open_(stdout, 'r') as f: for line in f: if '=' in line: var = line.strip('#').split('=') value = var[1].strip() var = var[0].strip() if var in varnames: response[varnames.index(var)] = value else: debug.log('Error: The stdout file %s does not exist!' % stdout) return response
find_out_var
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, varnames=[]):\n if self.wdir != '':\n stdout = '%s/%s' % (self.wdir, self.stdout)\n else:\n stdout = self.stdout\n response = [None] * len(varnames)\n if os.path.exists(stdout):\n with open_(stdout, 'r') as f:\n for line in f:\n if '=' in line:\n var = line.strip('#').split('=')\n value = var[1].strip()\n var = var[0].strip()\n if var in varnames:\n response[varnames.index(var)] = value\n else:\n debug.log('Error: The stdout file %s does not exist!' % stdout)\n return response\n", "role": "user" }, { "content": "find_out_var", "role": "assistant" } ]
def x(self, pattern): if self.wdir != '': stderr = '%s/%s' % (self.wdir, self.stderr) else: stderr = self.stderr response = [] if os.path.exists(stderr): with open_(stderr, 'r') as f: for line in f: if pattern in line: response.append(line.strip()) else: debug.log('Error: The stderr file %s does not exist!' % stderr) return response
find_err_pattern
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n if self.wdir != '':\n stderr = '%s/%s' % (self.wdir, self.stderr)\n else:\n stderr = self.stderr\n response = []\n if os.path.exists(stderr):\n with open_(stderr, 'r') as f:\n for line in f:\n if pattern in line:\n response.append(line.strip())\n else:\n debug.log('Error: The stderr file %s does not exist!' % stderr)\n return response\n", "role": "user" }, { "content": "find_err_pattern", "role": "assistant" } ]
def x(self, pattern): if self.wdir != '': stdout = '%s/%s' % (self.wdir, self.stdout) else: stdout = self.stdout response = [] if os.path.exists(stdout): with open_(stdout, 'r') as f: for line in f: if pattern in line: response.append(line.strip()) else: debug.log('Error: The stdout file %s does not exist!' % stdout) return response
find_out_pattern
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n if self.wdir != '':\n stdout = '%s/%s' % (self.wdir, self.stdout)\n else:\n stdout = self.stdout\n response = []\n if os.path.exists(stdout):\n with open_(stdout, 'r') as f:\n for line in f:\n if pattern in line:\n response.append(line.strip())\n else:\n debug.log('Error: The stdout file %s does not exist!' % stdout)\n return response\n", "role": "user" }, { "content": "find_out_pattern", "role": "assistant" } ]
def x(buffer): assert utils.is_bytes(buffer) return '\n'.join([''.join([CP437[y] for y in x]) for x in buffer.split( b'\r\n')])
decode_nfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(buffer):\n assert utils.is_bytes(buffer)\n return '\\n'.join([''.join([CP437[y] for y in x]) for x in buffer.split(\n b'\\r\\n')])\n", "role": "user" }, { "content": "decode_nfo", "role": "assistant" } ]
def x(self): if os.path.isfile(self.report): self.report_parse() else: logging.info('Starting {} analysis pipeline'.format(self.analysistype)) general = None for sample in self.runmetadata.samples: general = getattr(sample, 'general') if general is None: objects = Objectprep(self) objects.objectprep() self.runmetadata = objects.samples MLSTmap(self, self.analysistype, self.cutoff) self.reporter() MetadataPrinter(self)
runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.isfile(self.report):\n self.report_parse()\n else:\n logging.info('Starting {} analysis pipeline'.format(self.analysistype))\n general = None\n for sample in self.runmetadata.samples:\n general = getattr(sample, 'general')\n if general is None:\n objects = Objectprep(self)\n objects.objectprep()\n self.runmetadata = objects.samples\n MLSTmap(self, self.analysistype, self.cutoff)\n self.reporter()\n MetadataPrinter(self)\n", "role": "user" }, { "content": "runner", "role": "assistant" } ]
def x(self): logging.info('Preparing reports') for sample in self.runmetadata.samples: self.plusdict[sample.name] = dict() self.matchdict[sample.name] = dict() if sample.general.bestassemblyfile != 'NA': for gene in sample[self.analysistype].allelenames: self.plusdict[sample.name][gene] = dict() for allele, percentidentity in sample[self.analysistype ].results.items(): if gene in allele: if '_' in allele: splitter = '_' elif '-' in allele: splitter = '-' else: splitter = '' self.matchdict[sample.name].update({gene: allele. split(splitter)[-1]}) try: self.plusdict[sample.name][gene][allele.split( splitter)[-1]][percentidentity] = sample[self .analysistype].avgdepth[allele] except KeyError: self.plusdict[sample.name][gene][allele.split( splitter)[-1]] = dict() self.plusdict[sample.name][gene][allele.split( splitter)[-1]][percentidentity] = sample[self .analysistype].avgdepth[allele] if gene not in self.matchdict[sample.name]: self.matchdict[sample.name].update({gene: 'N'}) self.profiler() self.sequencetyper() self.mlstreporter()
reporter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Preparing reports')\n for sample in self.runmetadata.samples:\n self.plusdict[sample.name] = dict()\n self.matchdict[sample.name] = dict()\n if sample.general.bestassemblyfile != 'NA':\n for gene in sample[self.analysistype].allelenames:\n self.plusdict[sample.name][gene] = dict()\n for allele, percentidentity in sample[self.analysistype\n ].results.items():\n if gene in allele:\n if '_' in allele:\n splitter = '_'\n elif '-' in allele:\n splitter = '-'\n else:\n splitter = ''\n self.matchdict[sample.name].update({gene: allele.\n split(splitter)[-1]})\n try:\n self.plusdict[sample.name][gene][allele.split(\n splitter)[-1]][percentidentity] = sample[self\n .analysistype].avgdepth[allele]\n except KeyError:\n self.plusdict[sample.name][gene][allele.split(\n splitter)[-1]] = dict()\n self.plusdict[sample.name][gene][allele.split(\n splitter)[-1]][percentidentity] = sample[self\n .analysistype].avgdepth[allele]\n if gene not in self.matchdict[sample.name]:\n self.matchdict[sample.name].update({gene: 'N'})\n self.profiler()\n self.sequencetyper()\n self.mlstreporter()\n", "role": "user" }, { "content": "reporter", "role": "assistant" } ]
def x(self): logging.info('Loading profiles') profiledata = defaultdict(make_dict) reverse_profiledata = dict() profileset = set() for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': if sample[self.analysistype].profile != 'NA': profileset.add(sample[self.analysistype].profile) for sequenceprofile in profileset: if sequenceprofile not in self.meta_dict: self.meta_dict[sequenceprofile] = dict() reverse_profiledata[sequenceprofile] = dict() self.meta_dict[sequenceprofile]['ND'] = dict() geneset = set() for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': if sequenceprofile == sample[self.analysistype].profile: geneset = {allele for allele in sample[self. analysistype].alleles} try: profile = DictReader(open(sequenceprofile), dialect='excel-tab') except KeyError: profile = DictReader(open(sequenceprofile)) for row in profile: allele_comprehension = {gene: allele for gene, allele in row. items() if gene in geneset} st = row[profile.fieldnames[0]] for header, value in row.items(): value = value if value else 'ND' if header not in geneset and header not in ['ST', 'rST']: if st not in self.meta_dict[sequenceprofile]: self.meta_dict[sequenceprofile][st] = dict() if header == 'CC' or header == 'clonal_complex': header = 'CC' self.meta_dict[sequenceprofile][st][header] = value self.meta_dict[sequenceprofile]['ND'][header] = 'ND' self.meta_dict[sequenceprofile][st]['PredictedSerogroup' ] = 'ND' if header not in self.meta_headers: self.meta_headers.append(header) profiledata[sequenceprofile][st] = allele_comprehension reverse_profiledata[sequenceprofile].update({frozenset( allele_comprehension.items()): st}) for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': if sequenceprofile == sample[self.analysistype].profile: sample[self.analysistype].profiledata = profiledata[sample [self.analysistype].profile] sample[self.analysistype ].reverse_profiledata = reverse_profiledata[ sequenceprofile] sample[self.analysistype].meta_dict = self.meta_dict[ sequenceprofile] else: sample[self.analysistype].profiledata = 'NA' sample[self.analysistype].reverse_profiledata = 'NA' sample[self.analysistype].meta_dict = 'NA'
profiler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Loading profiles')\n profiledata = defaultdict(make_dict)\n reverse_profiledata = dict()\n profileset = set()\n for sample in self.runmetadata.samples:\n if sample.general.bestassemblyfile != 'NA':\n if sample[self.analysistype].profile != 'NA':\n profileset.add(sample[self.analysistype].profile)\n for sequenceprofile in profileset:\n if sequenceprofile not in self.meta_dict:\n self.meta_dict[sequenceprofile] = dict()\n reverse_profiledata[sequenceprofile] = dict()\n self.meta_dict[sequenceprofile]['ND'] = dict()\n geneset = set()\n for sample in self.runmetadata.samples:\n if sample.general.bestassemblyfile != 'NA':\n if sequenceprofile == sample[self.analysistype].profile:\n geneset = {allele for allele in sample[self.\n analysistype].alleles}\n try:\n profile = DictReader(open(sequenceprofile), dialect='excel-tab')\n except KeyError:\n profile = DictReader(open(sequenceprofile))\n for row in profile:\n allele_comprehension = {gene: allele for gene, allele in row.\n items() if gene in geneset}\n st = row[profile.fieldnames[0]]\n for header, value in row.items():\n value = value if value else 'ND'\n if header not in geneset and header not in ['ST', 'rST']:\n if st not in self.meta_dict[sequenceprofile]:\n self.meta_dict[sequenceprofile][st] = dict()\n if header == 'CC' or header == 'clonal_complex':\n header = 'CC'\n self.meta_dict[sequenceprofile][st][header] = value\n self.meta_dict[sequenceprofile]['ND'][header] = 'ND'\n self.meta_dict[sequenceprofile][st]['PredictedSerogroup'\n ] = 'ND'\n if header not in self.meta_headers:\n self.meta_headers.append(header)\n profiledata[sequenceprofile][st] = allele_comprehension\n reverse_profiledata[sequenceprofile].update({frozenset(\n allele_comprehension.items()): st})\n for sample in self.runmetadata.samples:\n if sample.general.bestassemblyfile != 'NA':\n if sequenceprofile == sample[self.analysistype].profile:\n sample[self.analysistype].profiledata = profiledata[sample\n [self.analysistype].profile]\n sample[self.analysistype\n ].reverse_profiledata = reverse_profiledata[\n sequenceprofile]\n sample[self.analysistype].meta_dict = self.meta_dict[\n sequenceprofile]\n else:\n sample[self.analysistype].profiledata = 'NA'\n sample[self.analysistype].reverse_profiledata = 'NA'\n sample[self.analysistype].meta_dict = 'NA'\n", "role": "user" }, { "content": "profiler", "role": "assistant" } ]
def x(self): report_strains = list() genus_list = list() if self.analysistype == 'mlst': for sample in self.runmetadata.samples: try: genus_list.append(sample.general.referencegenus) except AttributeError: sample.general.referencegenus = 'ND' genus_list.append(sample.general.referencegenus) if self.analysistype == 'mlst': for genus in genus_list: try: report_name = os.path.join(self.reportpath, '{at}_{genus}.csv'.format(at=self.analysistype, genus= genus)) report_strains = self.report_read(report_strains= report_strains, report_name=report_name) except FileNotFoundError: report_name = self.report report_strains = self.report_read(report_strains= report_strains, report_name=report_name) else: report_name = self.report report_strains = self.report_read(report_strains=report_strains, report_name=report_name) for sample in self.runmetadata.samples: if sample.name not in report_strains: setattr(sample, self.analysistype, GenObject()) sample[self.analysistype].sequencetype = 'ND' sample[self.analysistype].matches = 0 sample[self.analysistype].results = dict()
report_parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n report_strains = list()\n genus_list = list()\n if self.analysistype == 'mlst':\n for sample in self.runmetadata.samples:\n try:\n genus_list.append(sample.general.referencegenus)\n except AttributeError:\n sample.general.referencegenus = 'ND'\n genus_list.append(sample.general.referencegenus)\n if self.analysistype == 'mlst':\n for genus in genus_list:\n try:\n report_name = os.path.join(self.reportpath,\n '{at}_{genus}.csv'.format(at=self.analysistype, genus=\n genus))\n report_strains = self.report_read(report_strains=\n report_strains, report_name=report_name)\n except FileNotFoundError:\n report_name = self.report\n report_strains = self.report_read(report_strains=\n report_strains, report_name=report_name)\n else:\n report_name = self.report\n report_strains = self.report_read(report_strains=report_strains,\n report_name=report_name)\n for sample in self.runmetadata.samples:\n if sample.name not in report_strains:\n setattr(sample, self.analysistype, GenObject())\n sample[self.analysistype].sequencetype = 'ND'\n sample[self.analysistype].matches = 0\n sample[self.analysistype].results = dict()\n", "role": "user" }, { "content": "report_parse", "role": "assistant" } ]
def x(filename, **kwargs): extension = os.path.splitext(filename)[1] case = {'.xls': Xls, '.xlsx': Xlsx, '.csv': Csv} if extension and case.get(extension.lower()): low_extension = extension.lower() new_kwargs = dict() class_name = case.get(low_extension) class_kwargs = inspect.getargspec(class_name.__init__).args[1:] for kwarg in kwargs: if kwarg in class_kwargs: new_kwargs[kwarg] = kwargs[kwarg] return case.get(low_extension)(filename, **new_kwargs) else: raise Exception('No extension found')
guess_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, **kwargs):\n extension = os.path.splitext(filename)[1]\n case = {'.xls': Xls, '.xlsx': Xlsx, '.csv': Csv}\n if extension and case.get(extension.lower()):\n low_extension = extension.lower()\n new_kwargs = dict()\n class_name = case.get(low_extension)\n class_kwargs = inspect.getargspec(class_name.__init__).args[1:]\n for kwarg in kwargs:\n if kwarg in class_kwargs:\n new_kwargs[kwarg] = kwargs[kwarg]\n return case.get(low_extension)(filename, **new_kwargs)\n else:\n raise Exception('No extension found')\n", "role": "user" }, { "content": "guess_type", "role": "assistant" } ]
def x(database_path, gene): gene_path = database_path + '/' + gene + '.fsa' gene_seq = '' with open(gene_path) as gene_file: header = gene_file.readline() for line in gene_file: seq = line.strip() gene_seq += seq return gene_seq
get_gene_seqs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(database_path, gene):\n gene_path = database_path + '/' + gene + '.fsa'\n gene_seq = ''\n with open(gene_path) as gene_file:\n header = gene_file.readline()\n for line in gene_file:\n seq = line.strip()\n gene_seq += seq\n return gene_seq\n", "role": "user" }, { "content": "get_gene_seqs", "role": "assistant" } ]
def x(mut_db_path, gene_list, res_stop_codons): try: drugfile = open(mut_db_path, 'r') except: sys.exit('Wrong path: %s' % mut_db_path) known_mutations = dict() drug_genes = dict() known_stop_codon = dict() indelflag = False stopcodonflag = False for line in drugfile: if line.startswith('#'): if 'indel' in line.lower(): indelflag = True elif 'stop codon' in line.lower(): stopcodonflag = True else: stopcodonflag = False continue if line.strip() == '': continue mutation = [data.strip() for data in line.strip().split('\t')] assert len(mutation ) == 9, 'mutation overview file (%s) must have 9 columns, %s' % ( mut_db_path, mutation) gene_ID = mutation[0] if gene_ID in gene_list: gene_name = mutation[1] no_of_mut = int(mutation[2]) mut_pos = int(mutation[3]) ref_codon = mutation[4] ref_aa = mutation[5] alt_aa = mutation[6].split(',') res_drug = mutation[7].replace('\t', ' ') pmid = mutation[8].split(',') if ('*' in alt_aa and res_stop_codons != 'specified' or res_stop_codons == 'specified' and stopcodonflag == True): if gene_ID not in known_stop_codon: known_stop_codon[gene_ID] = {'pos': [], 'drug': res_drug} known_stop_codon[gene_ID]['pos'].append(mut_pos) drug_lst = res_drug.split(',') for drug in drug_lst: drug = drug.upper() if drug not in drug_genes: drug_genes[drug] = [] if gene_ID not in drug_genes[drug]: drug_genes[drug].append(gene_ID) mut_info = dict() for i in range(len(alt_aa)): try: mut_info[alt_aa[i]] = {'gene_name': gene_name, 'drug': res_drug, 'pmid': pmid[i]} except IndexError: mut_info[alt_aa[i]] = {'gene_name': gene_name, 'drug': res_drug, 'pmid': '-'} if no_of_mut != 1: print( 'More than one mutation is needed, this is not implemented' , mutation) if gene_ID not in known_mutations: known_mutations[gene_ID] = {'sub': dict(), 'ins': dict(), 'del': dict()} if indelflag == False: mutation_type = 'sub' else: mutation_type = ref_aa if mut_pos not in known_mutations[gene_ID][mutation_type]: known_mutations[gene_ID][mutation_type][mut_pos] = dict() for aa in alt_aa: known_mutations[gene_ID][mutation_type][mut_pos][aa ] = mut_info[aa] drugfile.close() for gene in gene_list: if gene not in known_mutations: known_mutations[gene] = {'sub': dict(), 'ins': dict(), 'del': dict()} return known_mutations, drug_genes, known_stop_codon
get_db_mutations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mut_db_path, gene_list, res_stop_codons):\n try:\n drugfile = open(mut_db_path, 'r')\n except:\n sys.exit('Wrong path: %s' % mut_db_path)\n known_mutations = dict()\n drug_genes = dict()\n known_stop_codon = dict()\n indelflag = False\n stopcodonflag = False\n for line in drugfile:\n if line.startswith('#'):\n if 'indel' in line.lower():\n indelflag = True\n elif 'stop codon' in line.lower():\n stopcodonflag = True\n else:\n stopcodonflag = False\n continue\n if line.strip() == '':\n continue\n mutation = [data.strip() for data in line.strip().split('\\t')]\n assert len(mutation\n ) == 9, 'mutation overview file (%s) must have 9 columns, %s' % (\n mut_db_path, mutation)\n gene_ID = mutation[0]\n if gene_ID in gene_list:\n gene_name = mutation[1]\n no_of_mut = int(mutation[2])\n mut_pos = int(mutation[3])\n ref_codon = mutation[4]\n ref_aa = mutation[5]\n alt_aa = mutation[6].split(',')\n res_drug = mutation[7].replace('\\t', ' ')\n pmid = mutation[8].split(',')\n if ('*' in alt_aa and res_stop_codons != 'specified' or \n res_stop_codons == 'specified' and stopcodonflag == True):\n if gene_ID not in known_stop_codon:\n known_stop_codon[gene_ID] = {'pos': [], 'drug': res_drug}\n known_stop_codon[gene_ID]['pos'].append(mut_pos)\n drug_lst = res_drug.split(',')\n for drug in drug_lst:\n drug = drug.upper()\n if drug not in drug_genes:\n drug_genes[drug] = []\n if gene_ID not in drug_genes[drug]:\n drug_genes[drug].append(gene_ID)\n mut_info = dict()\n for i in range(len(alt_aa)):\n try:\n mut_info[alt_aa[i]] = {'gene_name': gene_name, 'drug':\n res_drug, 'pmid': pmid[i]}\n except IndexError:\n mut_info[alt_aa[i]] = {'gene_name': gene_name, 'drug':\n res_drug, 'pmid': '-'}\n if no_of_mut != 1:\n print(\n 'More than one mutation is needed, this is not implemented'\n , mutation)\n if gene_ID not in known_mutations:\n known_mutations[gene_ID] = {'sub': dict(), 'ins': dict(),\n 'del': dict()}\n if indelflag == False:\n mutation_type = 'sub'\n else:\n mutation_type = ref_aa\n if mut_pos not in known_mutations[gene_ID][mutation_type]:\n known_mutations[gene_ID][mutation_type][mut_pos] = dict()\n for aa in alt_aa:\n known_mutations[gene_ID][mutation_type][mut_pos][aa\n ] = mut_info[aa]\n drugfile.close()\n for gene in gene_list:\n if gene not in known_mutations:\n known_mutations[gene] = {'sub': dict(), 'ins': dict(), 'del':\n dict()}\n return known_mutations, drug_genes, known_stop_codon\n", "role": "user" }, { "content": "get_db_mutations", "role": "assistant" } ]
def x(inputfile_1, gene_list, kma_db, out_path, sample_name, min_cov, mapping_path): inputfile_1 = os.path.abspath(inputfile_1) kma_outfile = os.path.abspath(out_path + '/kma_out_' + sample_name) kma_cmd = ( '%s -i %s -t_db %s -o %s -1t1 -gapopen -5 -gapextend -2 -penalty -3 -reward 1' % (mapping_path, inputfile_1, kma_db, kma_outfile)) os.system(kma_cmd) if os.path.isfile(kma_outfile + '.aln') == False: os.system(kma_cmd) align_filename = kma_outfile + '.aln' res_filename = kma_outfile + '.res' results = dict() with open(res_filename, 'r') as res_file: header = res_file.readline() for line in res_file: data = [data.strip() for data in line.split('\t')] gene = data[0] if gene not in gene_list: continue sbjct_len = int(data[3]) identity = float(data[6]) coverage = float(data[7]) if gene not in results: hit = '1' results[gene] = dict() else: hit = str(len(results[gene])) + 1 results[gene][hit] = dict() results[gene][hit]['sbjct_length'] = sbjct_len results[gene][hit]['coverage'] = coverage / 100 results[gene][hit]['sbjct_string'] = [] results[gene][hit]['query_string'] = [] results[gene][hit]['homology'] = [] results[gene][hit]['identity'] = identity with open(align_filename, 'r') as align_file: hit_no = dict() gene = '' for line in align_file: if line.startswith('#'): gene = line[1:].strip() if gene not in hit_no: hit_no[gene] = str(1) else: hit_no[gene] += str(int(hit_no[gene]) + 1) elif gene in results: if hit_no[gene] not in results[gene]: sys.exit('Unexpected database redundency') line_data = line.split('\t')[-1].strip() if line.startswith('template'): results[gene][hit_no[gene]]['sbjct_string'] += [line_data] elif line.startswith('query'): results[gene][hit_no[gene]]['query_string'] += [line_data] else: results[gene][hit_no[gene]]['homology'] += [line_data] seq_start_search_str = re.compile('^-*(\\w+)') seq_end_search_str = re.compile('\\w+(-*)$') for gene in gene_list: if gene in results: for hit in results[gene]: results[gene][hit]['sbjct_string'] = ''.join(results[gene][ hit]['sbjct_string']) results[gene][hit]['query_string'] = ''.join(results[gene][ hit]['query_string']) results[gene][hit]['homology'] = ''.join(results[gene][hit] ['homology']) seq_start_object = seq_start_search_str.search(results[gene ][hit]['query_string']) sbjct_start = seq_start_object.start(1) + 1 seq_end_object = seq_end_search_str.search(results[gene][ hit]['query_string']) sbjct_end = seq_end_object.start(1) + 1 results[gene][hit]['query_string'] = results[gene][hit][ 'query_string'][sbjct_start - 1:sbjct_end - 1] results[gene][hit]['sbjct_string'] = results[gene][hit][ 'sbjct_string'][sbjct_start - 1:sbjct_end - 1] results[gene][hit]['sbjct_start'] = sbjct_start results[gene][hit]['sbjct_end'] = sbjct_end else: results[gene] = '' return results
KMA
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputfile_1, gene_list, kma_db, out_path, sample_name, min_cov,\n mapping_path):\n inputfile_1 = os.path.abspath(inputfile_1)\n kma_outfile = os.path.abspath(out_path + '/kma_out_' + sample_name)\n kma_cmd = (\n '%s -i %s -t_db %s -o %s -1t1 -gapopen -5 -gapextend -2 -penalty -3 -reward 1'\n % (mapping_path, inputfile_1, kma_db, kma_outfile))\n os.system(kma_cmd)\n if os.path.isfile(kma_outfile + '.aln') == False:\n os.system(kma_cmd)\n align_filename = kma_outfile + '.aln'\n res_filename = kma_outfile + '.res'\n results = dict()\n with open(res_filename, 'r') as res_file:\n header = res_file.readline()\n for line in res_file:\n data = [data.strip() for data in line.split('\\t')]\n gene = data[0]\n if gene not in gene_list:\n continue\n sbjct_len = int(data[3])\n identity = float(data[6])\n coverage = float(data[7])\n if gene not in results:\n hit = '1'\n results[gene] = dict()\n else:\n hit = str(len(results[gene])) + 1\n results[gene][hit] = dict()\n results[gene][hit]['sbjct_length'] = sbjct_len\n results[gene][hit]['coverage'] = coverage / 100\n results[gene][hit]['sbjct_string'] = []\n results[gene][hit]['query_string'] = []\n results[gene][hit]['homology'] = []\n results[gene][hit]['identity'] = identity\n with open(align_filename, 'r') as align_file:\n hit_no = dict()\n gene = ''\n for line in align_file:\n if line.startswith('#'):\n gene = line[1:].strip()\n if gene not in hit_no:\n hit_no[gene] = str(1)\n else:\n hit_no[gene] += str(int(hit_no[gene]) + 1)\n elif gene in results:\n if hit_no[gene] not in results[gene]:\n sys.exit('Unexpected database redundency')\n line_data = line.split('\\t')[-1].strip()\n if line.startswith('template'):\n results[gene][hit_no[gene]]['sbjct_string'] += [line_data]\n elif line.startswith('query'):\n results[gene][hit_no[gene]]['query_string'] += [line_data]\n else:\n results[gene][hit_no[gene]]['homology'] += [line_data]\n seq_start_search_str = re.compile('^-*(\\\\w+)')\n seq_end_search_str = re.compile('\\\\w+(-*)$')\n for gene in gene_list:\n if gene in results:\n for hit in results[gene]:\n results[gene][hit]['sbjct_string'] = ''.join(results[gene][\n hit]['sbjct_string'])\n results[gene][hit]['query_string'] = ''.join(results[gene][\n hit]['query_string'])\n results[gene][hit]['homology'] = ''.join(results[gene][hit]\n ['homology'])\n seq_start_object = seq_start_search_str.search(results[gene\n ][hit]['query_string'])\n sbjct_start = seq_start_object.start(1) + 1\n seq_end_object = seq_end_search_str.search(results[gene][\n hit]['query_string'])\n sbjct_end = seq_end_object.start(1) + 1\n results[gene][hit]['query_string'] = results[gene][hit][\n 'query_string'][sbjct_start - 1:sbjct_end - 1]\n results[gene][hit]['sbjct_string'] = results[gene][hit][\n 'sbjct_string'][sbjct_start - 1:sbjct_end - 1]\n results[gene][hit]['sbjct_start'] = sbjct_start\n results[gene][hit]['sbjct_end'] = sbjct_end\n else:\n results[gene] = ''\n return results\n", "role": "user" }, { "content": "KMA", "role": "assistant" } ]
def x(hits_found, specie_path, gene, silent_N_flag): all_start = hits_found[0][0] current_end = hits_found[0][1] final_sbjct = hits_found[0][2] final_qry = hits_found[0][3] sbjct_len = hits_found[0][4] alternative_overlaps = [] for i in range(len(hits_found) - 1): pre_block_start = hits_found[i][0] pre_block_end = hits_found[i][1] pre_sbjct = hits_found[i][2] pre_qry = hits_found[i][3] next_block_start = hits_found[i + 1][0] next_block_end = hits_found[i + 1][1] next_sbjct = hits_found[i + 1][2] next_qry = hits_found[i + 1][3] if next_block_start <= current_end: pos_count = 0 overlap_pos = pre_block_start for i in range(len(pre_sbjct)): if overlap_pos == next_block_start: overlap_start = pos_count break if pre_sbjct[i] != '-': overlap_pos += 1 pos_count += 1 if len(pre_sbjct[overlap_start:]) > len(next_sbjct): overlap_len = len(next_sbjct) overlap_end_pos = next_block_end else: overlap_len = len(pre_sbjct[overlap_start:]) overlap_end_pos = pre_block_end current_end = next_block_end final_sbjct += next_sbjct[overlap_len:] final_qry += next_qry[overlap_len:] pre_qry_overlap = pre_qry[overlap_start:overlap_start + overlap_len ] next_qry_overlap = next_qry[:overlap_len] sbjct_overlap = next_sbjct[:overlap_len] if pre_qry_overlap != next_qry_overlap: print('OVERLAP WARNING:') print(pre_qry_overlap, '\n', next_qry_overlap) alternative_overlaps += [(next_block_start, overlap_end_pos, sbjct_overlap, next_qry_overlap)] elif next_block_start > current_end: gap_size = next_block_start - current_end - 1 final_qry += 'N' * gap_size if silent_N_flag: final_sbjct += 'N' * gap_size else: ref_seq = get_gene_seqs(specie_path, gene) final_sbjct += ref_seq[pre_block_end:pre_block_end + gap_size] current_end = next_block_end final_sbjct += next_sbjct final_qry += next_qry no_call = final_qry.upper().count('N') coverage = (current_end - all_start + 1 - no_call) / float(sbjct_len) equal = 0 not_equal = 0 for i in range(len(final_qry)): if final_qry[i].upper() != 'N': if final_qry[i].upper() == final_sbjct[i].upper(): equal += 1 else: not_equal += 1 identity = equal / float(equal + not_equal) return (final_sbjct, final_qry, all_start, current_end, alternative_overlaps, coverage, identity)
find_best_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hits_found, specie_path, gene, silent_N_flag):\n all_start = hits_found[0][0]\n current_end = hits_found[0][1]\n final_sbjct = hits_found[0][2]\n final_qry = hits_found[0][3]\n sbjct_len = hits_found[0][4]\n alternative_overlaps = []\n for i in range(len(hits_found) - 1):\n pre_block_start = hits_found[i][0]\n pre_block_end = hits_found[i][1]\n pre_sbjct = hits_found[i][2]\n pre_qry = hits_found[i][3]\n next_block_start = hits_found[i + 1][0]\n next_block_end = hits_found[i + 1][1]\n next_sbjct = hits_found[i + 1][2]\n next_qry = hits_found[i + 1][3]\n if next_block_start <= current_end:\n pos_count = 0\n overlap_pos = pre_block_start\n for i in range(len(pre_sbjct)):\n if overlap_pos == next_block_start:\n overlap_start = pos_count\n break\n if pre_sbjct[i] != '-':\n overlap_pos += 1\n pos_count += 1\n if len(pre_sbjct[overlap_start:]) > len(next_sbjct):\n overlap_len = len(next_sbjct)\n overlap_end_pos = next_block_end\n else:\n overlap_len = len(pre_sbjct[overlap_start:])\n overlap_end_pos = pre_block_end\n current_end = next_block_end\n final_sbjct += next_sbjct[overlap_len:]\n final_qry += next_qry[overlap_len:]\n pre_qry_overlap = pre_qry[overlap_start:overlap_start + overlap_len\n ]\n next_qry_overlap = next_qry[:overlap_len]\n sbjct_overlap = next_sbjct[:overlap_len]\n if pre_qry_overlap != next_qry_overlap:\n print('OVERLAP WARNING:')\n print(pre_qry_overlap, '\\n', next_qry_overlap)\n alternative_overlaps += [(next_block_start, overlap_end_pos,\n sbjct_overlap, next_qry_overlap)]\n elif next_block_start > current_end:\n gap_size = next_block_start - current_end - 1\n final_qry += 'N' * gap_size\n if silent_N_flag:\n final_sbjct += 'N' * gap_size\n else:\n ref_seq = get_gene_seqs(specie_path, gene)\n final_sbjct += ref_seq[pre_block_end:pre_block_end + gap_size]\n current_end = next_block_end\n final_sbjct += next_sbjct\n final_qry += next_qry\n no_call = final_qry.upper().count('N')\n coverage = (current_end - all_start + 1 - no_call) / float(sbjct_len)\n equal = 0\n not_equal = 0\n for i in range(len(final_qry)):\n if final_qry[i].upper() != 'N':\n if final_qry[i].upper() == final_sbjct[i].upper():\n equal += 1\n else:\n not_equal += 1\n identity = equal / float(equal + not_equal)\n return (final_sbjct, final_qry, all_start, current_end,\n alternative_overlaps, coverage, identity)\n", "role": "user" }, { "content": "find_best_sequence", "role": "assistant" } ]
def x(gene, sbjct_start, sbjct_seq, qry_seq, alternative_overlaps=[]): mis_matches = [] if gene in RNA_gene_list: mis_matches += find_nucleotid_mismatches(sbjct_start, sbjct_seq, qry_seq) else: regex = 'promoter_size_(\\d+)(?:bp)' promtr_gene_objt = re.search(regex, gene) if promtr_gene_objt: promtr_len = int(promtr_gene_objt.group(1)) if sbjct_start <= promtr_len: promtr_end = 0 nuc_count = sbjct_start - 1 for i in range(len(sbjct_seq)): promtr_end += 1 if sbjct_seq[i] != '-': nuc_count += 1 if nuc_count == promtr_len: break promtr_sbjct_start = -1 if nuc_count < promtr_len: promtr_sbjct_start = nuc_count - promtr_len sbjct_promtr_seq = sbjct_seq[:promtr_end] qry_promtr_seq = qry_seq[:promtr_end] mis_matches += find_nucleotid_mismatches(promtr_sbjct_start, sbjct_promtr_seq, qry_promtr_seq, promoter=True) if sbjct_start + len(sbjct_seq.replace('-', '')) > promtr_len: sbjct_gene_seq = sbjct_seq[promtr_end:] qry_gene_seq = qry_seq[promtr_end:] sbjct_gene_start = 1 mis_matches += find_codon_mismatches(sbjct_gene_start, sbjct_gene_seq, qry_gene_seq) else: sbjct_gene_start = sbjct_start - promtr_len mis_matches += find_codon_mismatches(sbjct_gene_start, sbjct_seq, qry_seq) else: mis_matches += find_codon_mismatches(sbjct_start, sbjct_seq, qry_seq) for overlap in alternative_overlaps: mis_matches += find_mismatches(gene, overlap[0], overlap[2], overlap[3] ) return mis_matches
find_mismatches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gene, sbjct_start, sbjct_seq, qry_seq, alternative_overlaps=[]):\n mis_matches = []\n if gene in RNA_gene_list:\n mis_matches += find_nucleotid_mismatches(sbjct_start, sbjct_seq,\n qry_seq)\n else:\n regex = 'promoter_size_(\\\\d+)(?:bp)'\n promtr_gene_objt = re.search(regex, gene)\n if promtr_gene_objt:\n promtr_len = int(promtr_gene_objt.group(1))\n if sbjct_start <= promtr_len:\n promtr_end = 0\n nuc_count = sbjct_start - 1\n for i in range(len(sbjct_seq)):\n promtr_end += 1\n if sbjct_seq[i] != '-':\n nuc_count += 1\n if nuc_count == promtr_len:\n break\n promtr_sbjct_start = -1\n if nuc_count < promtr_len:\n promtr_sbjct_start = nuc_count - promtr_len\n sbjct_promtr_seq = sbjct_seq[:promtr_end]\n qry_promtr_seq = qry_seq[:promtr_end]\n mis_matches += find_nucleotid_mismatches(promtr_sbjct_start,\n sbjct_promtr_seq, qry_promtr_seq, promoter=True)\n if sbjct_start + len(sbjct_seq.replace('-', '')) > promtr_len:\n sbjct_gene_seq = sbjct_seq[promtr_end:]\n qry_gene_seq = qry_seq[promtr_end:]\n sbjct_gene_start = 1\n mis_matches += find_codon_mismatches(sbjct_gene_start,\n sbjct_gene_seq, qry_gene_seq)\n else:\n sbjct_gene_start = sbjct_start - promtr_len\n mis_matches += find_codon_mismatches(sbjct_gene_start,\n sbjct_seq, qry_seq)\n else:\n mis_matches += find_codon_mismatches(sbjct_start, sbjct_seq,\n qry_seq)\n for overlap in alternative_overlaps:\n mis_matches += find_mismatches(gene, overlap[0], overlap[2], overlap[3]\n )\n return mis_matches\n", "role": "user" }, { "content": "find_mismatches", "role": "assistant" } ]
def x(sbjct_start, sbjct_seq, qry_seq, promoter=False): mis_matches = [] sbjct_start = abs(sbjct_start) seq_pos = sbjct_start factor = 1 mut_prefix = 'r.' if promoter == True: factor = -1 mut_prefix = 'n.' sbjct_seq = sbjct_seq[::-1] qry_seq = qry_seq[::-1] shift = 0 for index in range(sbjct_start - 1, len(sbjct_seq)): mut_name = mut_prefix mut = '' i = index + shift if i == len(sbjct_seq): break sbjct_nuc = sbjct_seq[i] qry_nuc = qry_seq[i] if sbjct_nuc.upper() != qry_nuc.upper(): if sbjct_nuc == '-' or qry_nuc == '-': if sbjct_nuc == '-': mut = 'ins' indel_start_pos = (seq_pos - 1) * factor indel_end_pos = seq_pos * factor indel = find_nuc_indel(sbjct_seq[i:], qry_seq[i:]) else: mut = 'del' indel_start_pos = seq_pos * factor indel = find_nuc_indel(qry_seq[i:], sbjct_seq[i:]) indel_end_pos = (seq_pos + len(indel) - 1) * factor seq_pos += len(indel) - 1 shift += len(indel) - 1 if len(indel) == 1 and mut == 'del': mut_name += str(indel_start_pos) + mut + indel else: if promoter == True: indel = indel[::-1] temp = indel_start_pos indel_start_pos = indel_end_pos indel_end_pos = temp mut_name += str(indel_start_pos) + '_' + str(indel_end_pos ) + mut + indel mis_matches += [[mut, seq_pos * factor, seq_pos * factor, indel, mut_name, mut, indel]] else: mut = 'sub' mut_name += str(seq_pos * factor) + sbjct_nuc + '>' + qry_nuc mis_matches += [[mut, seq_pos * factor, seq_pos * factor, qry_nuc, mut_name, sbjct_nuc, qry_nuc]] if mut != 'ins': seq_pos += 1 return mis_matches
find_nucleotid_mismatches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sbjct_start, sbjct_seq, qry_seq, promoter=False):\n mis_matches = []\n sbjct_start = abs(sbjct_start)\n seq_pos = sbjct_start\n factor = 1\n mut_prefix = 'r.'\n if promoter == True:\n factor = -1\n mut_prefix = 'n.'\n sbjct_seq = sbjct_seq[::-1]\n qry_seq = qry_seq[::-1]\n shift = 0\n for index in range(sbjct_start - 1, len(sbjct_seq)):\n mut_name = mut_prefix\n mut = ''\n i = index + shift\n if i == len(sbjct_seq):\n break\n sbjct_nuc = sbjct_seq[i]\n qry_nuc = qry_seq[i]\n if sbjct_nuc.upper() != qry_nuc.upper():\n if sbjct_nuc == '-' or qry_nuc == '-':\n if sbjct_nuc == '-':\n mut = 'ins'\n indel_start_pos = (seq_pos - 1) * factor\n indel_end_pos = seq_pos * factor\n indel = find_nuc_indel(sbjct_seq[i:], qry_seq[i:])\n else:\n mut = 'del'\n indel_start_pos = seq_pos * factor\n indel = find_nuc_indel(qry_seq[i:], sbjct_seq[i:])\n indel_end_pos = (seq_pos + len(indel) - 1) * factor\n seq_pos += len(indel) - 1\n shift += len(indel) - 1\n if len(indel) == 1 and mut == 'del':\n mut_name += str(indel_start_pos) + mut + indel\n else:\n if promoter == True:\n indel = indel[::-1]\n temp = indel_start_pos\n indel_start_pos = indel_end_pos\n indel_end_pos = temp\n mut_name += str(indel_start_pos) + '_' + str(indel_end_pos\n ) + mut + indel\n mis_matches += [[mut, seq_pos * factor, seq_pos * factor,\n indel, mut_name, mut, indel]]\n else:\n mut = 'sub'\n mut_name += str(seq_pos * factor) + sbjct_nuc + '>' + qry_nuc\n mis_matches += [[mut, seq_pos * factor, seq_pos * factor,\n qry_nuc, mut_name, sbjct_nuc, qry_nuc]]\n if mut != 'ins':\n seq_pos += 1\n return mis_matches\n", "role": "user" }, { "content": "find_nucleotid_mismatches", "role": "assistant" } ]
def x(gapped_seq, indel_seq): ref_indel = indel_seq[0] for j in range(1, len(gapped_seq)): if gapped_seq[j] == '-': ref_indel += indel_seq[j] else: break return ref_indel
find_nuc_indel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gapped_seq, indel_seq):\n ref_indel = indel_seq[0]\n for j in range(1, len(gapped_seq)):\n if gapped_seq[j] == '-':\n ref_indel += indel_seq[j]\n else:\n break\n return ref_indel\n", "role": "user" }, { "content": "find_nuc_indel", "role": "assistant" } ]
def x(codon): codon = codon.upper() aa = {'ATT': 'I', 'ATC': 'I', 'ATA': 'I', 'CTT': 'L', 'CTC': 'L', 'CTA': 'L', 'CTG': 'L', 'TTA': 'L', 'TTG': 'L', 'GTT': 'V', 'GTC': 'V', 'GTA': 'V', 'GTG': 'V', 'TTT': 'F', 'TTC': 'F', 'ATG': 'M', 'TGT': 'C', 'TGC': 'C', 'GCT': 'A', 'GCC': 'A', 'GCA': 'A', 'GCG': 'A', 'GGT': 'G', 'GGC': 'G', 'GGA': 'G', 'GGG': 'G', 'CCT': 'P', 'CCC': 'P', 'CCA': 'P', 'CCG': 'P', 'ACT': 'T', 'ACC': 'T', 'ACA': 'T', 'ACG': 'T', 'TCT': 'S', 'TCC': 'S', 'TCA': 'S', 'TCG': 'S', 'AGT': 'S', 'AGC': 'S', 'TAT': 'Y', 'TAC': 'Y', 'TGG': 'W', 'CAA': 'Q', 'CAG': 'Q', 'AAT': 'N', 'AAC': 'N', 'CAT': 'H', 'CAC': 'H', 'GAA': 'E', 'GAG': 'E', 'GAT': 'D', 'GAC': 'D', 'AAA': 'K', 'AAG': 'K', 'CGT': 'R', 'CGC': 'R', 'CGA': 'R', 'CGG': 'R', 'AGA': 'R', 'AGG': 'R', 'TAA': '*', 'TAG': '*', 'TGA': '*'} try: amino_a = aa[codon] except KeyError: amino_a = '?' return amino_a
aa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(codon):\n codon = codon.upper()\n aa = {'ATT': 'I', 'ATC': 'I', 'ATA': 'I', 'CTT': 'L', 'CTC': 'L', 'CTA':\n 'L', 'CTG': 'L', 'TTA': 'L', 'TTG': 'L', 'GTT': 'V', 'GTC': 'V',\n 'GTA': 'V', 'GTG': 'V', 'TTT': 'F', 'TTC': 'F', 'ATG': 'M', 'TGT':\n 'C', 'TGC': 'C', 'GCT': 'A', 'GCC': 'A', 'GCA': 'A', 'GCG': 'A',\n 'GGT': 'G', 'GGC': 'G', 'GGA': 'G', 'GGG': 'G', 'CCT': 'P', 'CCC':\n 'P', 'CCA': 'P', 'CCG': 'P', 'ACT': 'T', 'ACC': 'T', 'ACA': 'T',\n 'ACG': 'T', 'TCT': 'S', 'TCC': 'S', 'TCA': 'S', 'TCG': 'S', 'AGT':\n 'S', 'AGC': 'S', 'TAT': 'Y', 'TAC': 'Y', 'TGG': 'W', 'CAA': 'Q',\n 'CAG': 'Q', 'AAT': 'N', 'AAC': 'N', 'CAT': 'H', 'CAC': 'H', 'GAA':\n 'E', 'GAG': 'E', 'GAT': 'D', 'GAC': 'D', 'AAA': 'K', 'AAG': 'K',\n 'CGT': 'R', 'CGC': 'R', 'CGA': 'R', 'CGG': 'R', 'AGA': 'R', 'AGG':\n 'R', 'TAA': '*', 'TAG': '*', 'TGA': '*'}\n try:\n amino_a = aa[codon]\n except KeyError:\n amino_a = '?'\n return amino_a\n", "role": "user" }, { "content": "aa", "role": "assistant" } ]
def x(seq, codon_no, start_offset): seq = seq.replace('-', '') codon_start_pos = int(codon_no - 1) * 3 - start_offset codon = seq[codon_start_pos:codon_start_pos + 3] return codon
get_codon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, codon_no, start_offset):\n seq = seq.replace('-', '')\n codon_start_pos = int(codon_no - 1) * 3 - start_offset\n codon = seq[codon_start_pos:codon_start_pos + 3]\n return codon\n", "role": "user" }, { "content": "get_codon", "role": "assistant" } ]
def x(sbjct_seq, codon_no, sbjct_nucs, aa_alt, start_offset): start_codon_no = codon_no - 1 if len(sbjct_nucs) == 3: start_codon_no = codon_no start_codon = get_codon(sbjct_seq, start_codon_no, start_offset) end_codon = get_codon(sbjct_seq, codon_no, start_offset) pos_name = 'p.%s%d_%s%dins%s' % (aa(start_codon), start_codon_no, aa( end_codon), codon_no, aa_alt) return pos_name
name_insertion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sbjct_seq, codon_no, sbjct_nucs, aa_alt, start_offset):\n start_codon_no = codon_no - 1\n if len(sbjct_nucs) == 3:\n start_codon_no = codon_no\n start_codon = get_codon(sbjct_seq, start_codon_no, start_offset)\n end_codon = get_codon(sbjct_seq, codon_no, start_offset)\n pos_name = 'p.%s%d_%s%dins%s' % (aa(start_codon), start_codon_no, aa(\n end_codon), codon_no, aa_alt)\n return pos_name\n", "role": "user" }, { "content": "name_insertion", "role": "assistant" } ]
def x(sbjct_seq, indel, sbjct_rf_indel, qry_rf_indel, codon_no, mut, start_offset): sbjct_nucs = sbjct_rf_indel.replace('-', '') qry_nucs = qry_rf_indel.replace('-', '') aa_ref = '' aa_alt = '' for i in range(0, len(sbjct_nucs), 3): aa_ref += aa(sbjct_nucs[i:i + 3]) for i in range(0, len(qry_nucs), 3): aa_alt += aa(qry_nucs[i:i + 3]) if mut == 'ins': gapped_seq = sbjct_rf_indel else: gapped_seq = qry_rf_indel gap_size = gapped_seq.count('-') if gap_size < 3 and len(sbjct_nucs) == 3 and len(qry_nucs) == 3: mut_name = 'p.%s%d%s' % (aa(sbjct_nucs), codon_no, aa(qry_nucs)) elif len(gapped_seq) == gap_size: if mut == 'ins': mut_name = name_insertion(sbjct_seq, codon_no, sbjct_nucs, aa_alt, start_offset) aa_ref = mut else: mut_name = name_deletion(sbjct_seq, sbjct_rf_indel, sbjct_nucs, codon_no, aa_alt, start_offset, mutation='del') aa_alt = mut else: mut_name = name_deletion(sbjct_seq, sbjct_rf_indel, sbjct_nucs, codon_no, aa_alt, start_offset, mutation='delins') if gapped_seq.count('-') % 3 != 0: mut_name += ' - Frameshift' return mut_name, aa_ref, aa_alt
name_indel_mutation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sbjct_seq, indel, sbjct_rf_indel, qry_rf_indel, codon_no, mut,\n start_offset):\n sbjct_nucs = sbjct_rf_indel.replace('-', '')\n qry_nucs = qry_rf_indel.replace('-', '')\n aa_ref = ''\n aa_alt = ''\n for i in range(0, len(sbjct_nucs), 3):\n aa_ref += aa(sbjct_nucs[i:i + 3])\n for i in range(0, len(qry_nucs), 3):\n aa_alt += aa(qry_nucs[i:i + 3])\n if mut == 'ins':\n gapped_seq = sbjct_rf_indel\n else:\n gapped_seq = qry_rf_indel\n gap_size = gapped_seq.count('-')\n if gap_size < 3 and len(sbjct_nucs) == 3 and len(qry_nucs) == 3:\n mut_name = 'p.%s%d%s' % (aa(sbjct_nucs), codon_no, aa(qry_nucs))\n elif len(gapped_seq) == gap_size:\n if mut == 'ins':\n mut_name = name_insertion(sbjct_seq, codon_no, sbjct_nucs,\n aa_alt, start_offset)\n aa_ref = mut\n else:\n mut_name = name_deletion(sbjct_seq, sbjct_rf_indel, sbjct_nucs,\n codon_no, aa_alt, start_offset, mutation='del')\n aa_alt = mut\n else:\n mut_name = name_deletion(sbjct_seq, sbjct_rf_indel, sbjct_nucs,\n codon_no, aa_alt, start_offset, mutation='delins')\n if gapped_seq.count('-') % 3 != 0:\n mut_name += ' - Frameshift'\n return mut_name, aa_ref, aa_alt\n", "role": "user" }, { "content": "name_indel_mutation", "role": "assistant" } ]
def x(seq, nucs_needed=3): nuc_count = 0 gap_indel = '' nucs = '' for i in range(len(seq)): if seq[i] != '-': if gap_indel.count('-') == len(gap_indel) and gap_indel.count('-' ) >= 3 and len(gap_indel) != 0: return gap_indel nuc_count += 1 gap_indel += seq[i] if nuc_count == nucs_needed: return gap_indel return gap_indel
get_inframe_gap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, nucs_needed=3):\n nuc_count = 0\n gap_indel = ''\n nucs = ''\n for i in range(len(seq)):\n if seq[i] != '-':\n if gap_indel.count('-') == len(gap_indel) and gap_indel.count('-'\n ) >= 3 and len(gap_indel) != 0:\n return gap_indel\n nuc_count += 1\n gap_indel += seq[i]\n if nuc_count == nucs_needed:\n return gap_indel\n return gap_indel\n", "role": "user" }, { "content": "get_inframe_gap", "role": "assistant" } ]
def x(sbjct_seq, qry_seq, start_pos): seqs = [sbjct_seq, qry_seq] indels = [] gap_obj = re.compile('-+') for i in range(len(seqs)): for match in gap_obj.finditer(seqs[i]): pos = int(match.start()) gap = match.group() sbj_pos = len(sbjct_seq[:pos].replace('-', '')) + start_pos indel = seqs[abs(i - 1)][pos:pos + len(gap)] codon_no = int(math.ceil(sbj_pos / 3)) qry_pos = len(qry_seq[:pos].replace('-', '')) + start_pos qry_codon = int(math.ceil(qry_pos / 3)) if i == 0: mut = 'ins' else: mut = 'del' indels.append([mut, codon_no, sbj_pos, indel, qry_codon]) indels = sorted(indels, key=lambda x: (x[1], x[2])) return indels
get_indels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sbjct_seq, qry_seq, start_pos):\n seqs = [sbjct_seq, qry_seq]\n indels = []\n gap_obj = re.compile('-+')\n for i in range(len(seqs)):\n for match in gap_obj.finditer(seqs[i]):\n pos = int(match.start())\n gap = match.group()\n sbj_pos = len(sbjct_seq[:pos].replace('-', '')) + start_pos\n indel = seqs[abs(i - 1)][pos:pos + len(gap)]\n codon_no = int(math.ceil(sbj_pos / 3))\n qry_pos = len(qry_seq[:pos].replace('-', '')) + start_pos\n qry_codon = int(math.ceil(qry_pos / 3))\n if i == 0:\n mut = 'ins'\n else:\n mut = 'del'\n indels.append([mut, codon_no, sbj_pos, indel, qry_codon])\n indels = sorted(indels, key=lambda x: (x[1], x[2]))\n return indels\n", "role": "user" }, { "content": "get_indels", "role": "assistant" } ]
def x(gene, gene_name, mis_matches, known_mutations, known_stop_codon, unknown_flag, GENES): RNA = False known_header = ( 'Mutation\tNucleotide change\tAmino acid change\tResistance\tPMID\n') unknown_header = 'Mutation\tNucleotide change\tAmino acid change\n' if gene in RNA_gene_list: RNA = True known_header = 'Mutation\tNucleotide change\tResistance\tPMID\n' unknown_header = 'Mutation\tNucleotide change\n' known_lst = [] unknown_lst = [] all_results_lst = [] output_mut = [] stop_codons = [] for i in range(len(mis_matches)): m_type = mis_matches[i][0] pos = mis_matches[i][1] look_up_pos = mis_matches[i][2] look_up_mut = mis_matches[i][3] mut_name = mis_matches[i][4] nuc_ref = mis_matches[i][5] nuc_alt = mis_matches[i][6] ref = mis_matches[i][-2] alt = mis_matches[i][-1] output_mut += [[]] codon_change = nuc_ref + ' -> ' + nuc_alt aa_change = ref + ' -> ' + alt if RNA == True: aa_change = 'RNA mutations' elif pos < 0: aa_change = 'Promoter mutations' gene_mut_name, resistence, pmid = look_up_known_muts(known_mutations, known_stop_codon, gene, look_up_pos, look_up_mut, m_type, gene_name, mut_name) gene_mut_name = gene_mut_name + ' ' + mut_name output_mut[i] = [gene_mut_name, codon_change, aa_change, resistence, pmid] if resistence != 'Unknown': if RNA == True: known_lst += ['\t'.join(output_mut[i][:2]) + '\t' + '\t'. join(output_mut[i][3:])] else: known_lst += ['\t'.join(output_mut[i])] all_results_lst += ['\t'.join(output_mut[i])] else: if RNA == True: unknown_lst += ['\t'.join(output_mut[i][:2])] else: unknown_lst += ['\t'.join(output_mut[i][:3])] if unknown_flag == True: all_results_lst += ['\t'.join(output_mut[i])] if len(output_mut) > 1: if output_mut[i] == output_mut[i - 1]: if resistence != 'Unknown': known_lst = known_lst[:-1] all_results_lst = all_results_lst[:-1] else: unknown_lst = unknown_lst[:-1] if unknown_flag == True: all_results_lst = all_results_lst[:-1] if 'Premature stop codon' in mut_name: sbjct_len = GENES[gene]['sbjct_len'] qry_len = pos * 3 prec_truckat = round((float(sbjct_len) - qry_len) / float( sbjct_len) * 100, 2) perc = '%' stop_codons.append('Premature stop codon in %s, %.2f%s lost' % (gene, prec_truckat, perc)) all_results = '\n'.join(all_results_lst) total_known_str = '' total_unknown_str = '' resistence_lst = [res for mut in output_mut for res in mut[3].split(',')] unknown_no = resistence_lst.count('Unknown') if unknown_no < len(resistence_lst): total_known_str = known_header + '\n'.join(known_lst) else: total_known_str = 'No known mutations found in %s' % gene_name if unknown_no > 0: total_unknown_str = unknown_header + '\n'.join(unknown_lst) else: total_unknown_str = 'No unknown mutations found in %s' % gene_name return (all_results, total_known_str, total_unknown_str, resistence_lst + stop_codons)
write_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gene, gene_name, mis_matches, known_mutations, known_stop_codon,\n unknown_flag, GENES):\n RNA = False\n known_header = (\n 'Mutation\\tNucleotide change\\tAmino acid change\\tResistance\\tPMID\\n')\n unknown_header = 'Mutation\\tNucleotide change\\tAmino acid change\\n'\n if gene in RNA_gene_list:\n RNA = True\n known_header = 'Mutation\\tNucleotide change\\tResistance\\tPMID\\n'\n unknown_header = 'Mutation\\tNucleotide change\\n'\n known_lst = []\n unknown_lst = []\n all_results_lst = []\n output_mut = []\n stop_codons = []\n for i in range(len(mis_matches)):\n m_type = mis_matches[i][0]\n pos = mis_matches[i][1]\n look_up_pos = mis_matches[i][2]\n look_up_mut = mis_matches[i][3]\n mut_name = mis_matches[i][4]\n nuc_ref = mis_matches[i][5]\n nuc_alt = mis_matches[i][6]\n ref = mis_matches[i][-2]\n alt = mis_matches[i][-1]\n output_mut += [[]]\n codon_change = nuc_ref + ' -> ' + nuc_alt\n aa_change = ref + ' -> ' + alt\n if RNA == True:\n aa_change = 'RNA mutations'\n elif pos < 0:\n aa_change = 'Promoter mutations'\n gene_mut_name, resistence, pmid = look_up_known_muts(known_mutations,\n known_stop_codon, gene, look_up_pos, look_up_mut, m_type,\n gene_name, mut_name)\n gene_mut_name = gene_mut_name + ' ' + mut_name\n output_mut[i] = [gene_mut_name, codon_change, aa_change, resistence,\n pmid]\n if resistence != 'Unknown':\n if RNA == True:\n known_lst += ['\\t'.join(output_mut[i][:2]) + '\\t' + '\\t'.\n join(output_mut[i][3:])]\n else:\n known_lst += ['\\t'.join(output_mut[i])]\n all_results_lst += ['\\t'.join(output_mut[i])]\n else:\n if RNA == True:\n unknown_lst += ['\\t'.join(output_mut[i][:2])]\n else:\n unknown_lst += ['\\t'.join(output_mut[i][:3])]\n if unknown_flag == True:\n all_results_lst += ['\\t'.join(output_mut[i])]\n if len(output_mut) > 1:\n if output_mut[i] == output_mut[i - 1]:\n if resistence != 'Unknown':\n known_lst = known_lst[:-1]\n all_results_lst = all_results_lst[:-1]\n else:\n unknown_lst = unknown_lst[:-1]\n if unknown_flag == True:\n all_results_lst = all_results_lst[:-1]\n if 'Premature stop codon' in mut_name:\n sbjct_len = GENES[gene]['sbjct_len']\n qry_len = pos * 3\n prec_truckat = round((float(sbjct_len) - qry_len) / float(\n sbjct_len) * 100, 2)\n perc = '%'\n stop_codons.append('Premature stop codon in %s, %.2f%s lost' %\n (gene, prec_truckat, perc))\n all_results = '\\n'.join(all_results_lst)\n total_known_str = ''\n total_unknown_str = ''\n resistence_lst = [res for mut in output_mut for res in mut[3].split(',')]\n unknown_no = resistence_lst.count('Unknown')\n if unknown_no < len(resistence_lst):\n total_known_str = known_header + '\\n'.join(known_lst)\n else:\n total_known_str = 'No known mutations found in %s' % gene_name\n if unknown_no > 0:\n total_unknown_str = unknown_header + '\\n'.join(unknown_lst)\n else:\n total_unknown_str = 'No unknown mutations found in %s' % gene_name\n return (all_results, total_known_str, total_unknown_str, resistence_lst +\n stop_codons)\n", "role": "user" }, { "content": "write_output", "role": "assistant" } ]
def x(self): log.info('Merging models of apis ' + ', '.join(apis.keys())) models = {} for api_name, api in apis.items(): for model_name, model_def in api.api_spec.swagger_dict['definitions' ].items(): if model_name in models: other_api_name, other_model_def, _ = models.get(model_name) log.debug('Model %s in %s is a duplicate of one in %s' % ( model_name, api_name, other_api_name)) if ApiPool._cmp_models(model_def, other_model_def) != 0: raise MergeApisException( """Cannot merge apis! Model %s exists in apis %s and %s but have different definitions: [%s] [%s]""" % (model_name, api_name, other_api_name, pprint. pformat(model_def), pprint.pformat(other_model_def))) else: models[model_name ] = api_name, model_def, api.api_spec.definitions[ model_name] log.debug('Patching api definitions to remove all duplicates') for api_name, api in apis.items(): for model_name in api.api_spec.definitions.keys(): _, _, model_class = models.get(model_name) api.api_spec.definitions[model_name] = model_class
merge
[ { "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('Merging models of apis ' + ', '.join(apis.keys()))\n models = {}\n for api_name, api in apis.items():\n for model_name, model_def in api.api_spec.swagger_dict['definitions'\n ].items():\n if model_name in models:\n other_api_name, other_model_def, _ = models.get(model_name)\n log.debug('Model %s in %s is a duplicate of one in %s' % (\n model_name, api_name, other_api_name))\n if ApiPool._cmp_models(model_def, other_model_def) != 0:\n raise MergeApisException(\n \"\"\"Cannot merge apis! Model %s exists in apis %s and %s but have different definitions:\n[%s]\n[%s]\"\"\"\n % (model_name, api_name, other_api_name, pprint.\n pformat(model_def), pprint.pformat(other_model_def)))\n else:\n models[model_name\n ] = api_name, model_def, api.api_spec.definitions[\n model_name]\n log.debug('Patching api definitions to remove all duplicates')\n for api_name, api in apis.items():\n for model_name in api.api_spec.definitions.keys():\n _, _, model_class = models.get(model_name)\n api.api_spec.definitions[model_name] = model_class\n", "role": "user" }, { "content": "merge", "role": "assistant" } ]
def x(self, m1, m2): m1 = copy.deepcopy(m1) m2 = copy.deepcopy(m2) def x(d): for k in ('x-model', 'x-persist', 'x-scope'): if k in d: del d[k] for v in list(d.values()): if isinstance(v, dict): _cleanup(v) _cleanup(m1) _cleanup(m2) return not m1 == m2
cmp_models
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, m1, m2):\n m1 = copy.deepcopy(m1)\n m2 = copy.deepcopy(m2)\n\n def x(d):\n for k in ('x-model', 'x-persist', 'x-scope'):\n if k in d:\n del d[k]\n for v in list(d.values()):\n if isinstance(v, dict):\n _cleanup(v)\n _cleanup(m1)\n _cleanup(m2)\n return not m1 == m2\n", "role": "user" }, { "content": "cmp_models", "role": "assistant" } ]
def x(self): self = self.manager.get(id=self.id) return self
sync
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self = self.manager.get(id=self.id)\n return self\n", "role": "user" }, { "content": "sync", "role": "assistant" } ]
def x(self, name, command_to_run, description='', environment_variables= None, required_arguments=None, required_arguments_default_values=None, extra_data_to_post=None): if environment_variables is None: environment_variables = [] if required_arguments is None: required_arguments = [] if required_arguments_default_values is None: required_arguments_default_values = {} request_url = self._client.base_api_url + self.list_url data_to_post = {'name': name, 'description': description, 'command_to_run': command_to_run, 'environment_variables': json. dumps(environment_variables), 'required_arguments': json.dumps( required_arguments), 'required_arguments_default_values': json. dumps(required_arguments_default_values)} if extra_data_to_post is not None: data_to_post.update(extra_data_to_post) response = self._client.session.post(request_url, data=data_to_post) self.validate_request_success(response_text=response.text, request_url= request_url, status_code=response.status_code, expected_status_code =HTTP_201_CREATED) return self.response_data_to_model_instance(response.json())
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, command_to_run, description='', environment_variables=\n None, required_arguments=None, required_arguments_default_values=None,\n extra_data_to_post=None):\n if environment_variables is None:\n environment_variables = []\n if required_arguments is None:\n required_arguments = []\n if required_arguments_default_values is None:\n required_arguments_default_values = {}\n request_url = self._client.base_api_url + self.list_url\n data_to_post = {'name': name, 'description': description,\n 'command_to_run': command_to_run, 'environment_variables': json.\n dumps(environment_variables), 'required_arguments': json.dumps(\n required_arguments), 'required_arguments_default_values': json.\n dumps(required_arguments_default_values)}\n if extra_data_to_post is not None:\n data_to_post.update(extra_data_to_post)\n response = self._client.session.post(request_url, data=data_to_post)\n self.validate_request_success(response_text=response.text, request_url=\n request_url, status_code=response.status_code, expected_status_code\n =HTTP_201_CREATED)\n return self.response_data_to_model_instance(response.json())\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, id, name, description, command_to_run, environment_variables, required_arguments, required_arguments_default_values, extra_data_to_put=None): request_url = self._client.base_api_url + self.detail_url.format(id=id) data_to_put = {'name': name, 'description': description, 'command_to_run': command_to_run, 'environment_variables': json. dumps(environment_variables), 'required_arguments': json.dumps( required_arguments), 'required_arguments_default_values': json. dumps(required_arguments_default_values)} if extra_data_to_put is not None: data_to_put.update(extra_data_to_put) response = self._client.session.put(request_url, data=data_to_put) self.validate_request_success(response_text=response.text, request_url= request_url, status_code=response.status_code, expected_status_code =HTTP_200_OK) return self.response_data_to_model_instance(response.json())
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, name, description, command_to_run, environment_variables,\n required_arguments, required_arguments_default_values,\n extra_data_to_put=None):\n request_url = self._client.base_api_url + self.detail_url.format(id=id)\n data_to_put = {'name': name, 'description': description,\n 'command_to_run': command_to_run, 'environment_variables': json.\n dumps(environment_variables), 'required_arguments': json.dumps(\n required_arguments), 'required_arguments_default_values': json.\n dumps(required_arguments_default_values)}\n if extra_data_to_put is not None:\n data_to_put.update(extra_data_to_put)\n response = self._client.session.put(request_url, data=data_to_put)\n self.validate_request_success(response_text=response.text, request_url=\n request_url, status_code=response.status_code, expected_status_code\n =HTTP_200_OK)\n return self.response_data_to_model_instance(response.json())\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, response_data): response_data['datetime_created'] = dateutil.parser.parse(response_data ['datetime_created']) return super(BaseTaskTypeManager, self).response_data_to_model_instance( response_data)
response_data_to_model_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response_data):\n response_data['datetime_created'] = dateutil.parser.parse(response_data\n ['datetime_created'])\n return super(BaseTaskTypeManager, self).response_data_to_model_instance(\n response_data)\n", "role": "user" }, { "content": "response_data_to_model_instance", "role": "assistant" } ]
def x(): Command('touch', DIR.project.joinpath('pathquery', '__init__.py').abspath() ).run() storybook = _storybook({}).only_uninherited() Command('touch', DIR.project.joinpath('pathquery', '__init__.py').abspath() ).run() storybook.with_params(**{'python version': '3.5.0'}).ordered_by_name( ).play() lint()
regression
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n Command('touch', DIR.project.joinpath('pathquery', '__init__.py').abspath()\n ).run()\n storybook = _storybook({}).only_uninherited()\n Command('touch', DIR.project.joinpath('pathquery', '__init__.py').abspath()\n ).run()\n storybook.with_params(**{'python version': '3.5.0'}).ordered_by_name(\n ).play()\n lint()\n", "role": "user" }, { "content": "regression", "role": "assistant" } ]
def x(version): NAME = 'pathquery' git = Command('git').in_dir(DIR.project) version_file = DIR.project.joinpath('VERSION') old_version = version_file.bytes().decode('utf8') if version_file.bytes().decode('utf8') != version: DIR.project.joinpath('VERSION').write_text(version) git('add', 'VERSION').run() git('commit', '-m', 'RELEASE: Version {0} -> {1}'.format( old_version, version)).run() git('push').run() git('tag', '-a', version, '-m', 'Version {0}'.format(version)).run() git('push', 'origin', version).run() else: git('push').run() initpy = DIR.project.joinpath(NAME, '__init__.py') original_initpy_contents = initpy.bytes().decode('utf8') initpy.write_text(original_initpy_contents.replace( 'DEVELOPMENT_VERSION', version)) python('setup.py', 'sdist').in_dir(DIR.project).run() initpy.write_text(original_initpy_contents) python('-m', 'twine', 'upload', 'dist/{0}-{1}.tar.gz'.format(NAME, version) ).in_dir(DIR.project).run()
deploy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version):\n NAME = 'pathquery'\n git = Command('git').in_dir(DIR.project)\n version_file = DIR.project.joinpath('VERSION')\n old_version = version_file.bytes().decode('utf8')\n if version_file.bytes().decode('utf8') != version:\n DIR.project.joinpath('VERSION').write_text(version)\n git('add', 'VERSION').run()\n git('commit', '-m', 'RELEASE: Version {0} -> {1}'.format(\n old_version, version)).run()\n git('push').run()\n git('tag', '-a', version, '-m', 'Version {0}'.format(version)).run()\n git('push', 'origin', version).run()\n else:\n git('push').run()\n initpy = DIR.project.joinpath(NAME, '__init__.py')\n original_initpy_contents = initpy.bytes().decode('utf8')\n initpy.write_text(original_initpy_contents.replace(\n 'DEVELOPMENT_VERSION', version))\n python('setup.py', 'sdist').in_dir(DIR.project).run()\n initpy.write_text(original_initpy_contents)\n python('-m', 'twine', 'upload', 'dist/{0}-{1}.tar.gz'.format(NAME, version)\n ).in_dir(DIR.project).run()\n", "role": "user" }, { "content": "deploy", "role": "assistant" } ]
def x(package, directory): pip = Command(DIR.gen.joinpath('hvenv', 'bin', 'pip')) pip('uninstall', package, '-y').run() pip('install', DIR.project.joinpath(directory).abspath()).run()
hvenvup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package, directory):\n pip = Command(DIR.gen.joinpath('hvenv', 'bin', 'pip'))\n pip('uninstall', package, '-y').run()\n pip('install', DIR.project.joinpath(directory).abspath()).run()\n", "role": "user" }, { "content": "hvenvup", "role": "assistant" } ]
def x(self): self.path.state = self.path.gen.joinpath('state') if self.path.state.exists(): self.path.state.rmtree(ignore_errors=True) self.path.state.mkdir() if self.path.gen.joinpath('q').exists(): self.path.gen.joinpath('q').remove() for filename, text in self.given.get('files', {}).items(): filepath = self.path.state.joinpath(filename) if not filepath.dirname().exists(): filepath.dirname().makedirs() filepath.write_text(text) for filename, linkto in self.given.get('symlinks', {}).items(): filepath = self.path.state.joinpath(filename) linktopath = self.path.state.joinpath(linkto) linktopath.symlink(filepath) for filename, permission in self.given.get('permissions', {}).items(): filepath = self.path.state.joinpath(filename) filepath.chmod(int(permission, 8)) pylibrary = hitchbuildpy.PyLibrary(name='py3.5.0', base_python= hitchbuildpy.PyenvBuild('3.5.0').with_build_path(self.path.share), module_name='pathquery', library_src=self.path.project ).with_build_path(self.path.gen) pylibrary.ensure_built() self.python = pylibrary.bin.python self.example_py_code = ExamplePythonCode(self.python, self.path.state ).with_code(self.given.get('code', '')).with_setup_code(self.given. get('setup', '')).with_terminal_size(160, 100).with_env(TMPDIR=self .path.gen).with_long_strings(yaml_snippet_1=self.given.get( 'yaml_snippet_1'), yaml_snippet=self.given.get('yaml_snippet'), yaml_snippet_2=self.given.get('yaml_snippet_2'), modified_yaml_snippet=self.given.get('modified_yaml_snippet'))
set_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.path.state = self.path.gen.joinpath('state')\n if self.path.state.exists():\n self.path.state.rmtree(ignore_errors=True)\n self.path.state.mkdir()\n if self.path.gen.joinpath('q').exists():\n self.path.gen.joinpath('q').remove()\n for filename, text in self.given.get('files', {}).items():\n filepath = self.path.state.joinpath(filename)\n if not filepath.dirname().exists():\n filepath.dirname().makedirs()\n filepath.write_text(text)\n for filename, linkto in self.given.get('symlinks', {}).items():\n filepath = self.path.state.joinpath(filename)\n linktopath = self.path.state.joinpath(linkto)\n linktopath.symlink(filepath)\n for filename, permission in self.given.get('permissions', {}).items():\n filepath = self.path.state.joinpath(filename)\n filepath.chmod(int(permission, 8))\n pylibrary = hitchbuildpy.PyLibrary(name='py3.5.0', base_python=\n hitchbuildpy.PyenvBuild('3.5.0').with_build_path(self.path.share),\n module_name='pathquery', library_src=self.path.project\n ).with_build_path(self.path.gen)\n pylibrary.ensure_built()\n self.python = pylibrary.bin.python\n self.example_py_code = ExamplePythonCode(self.python, self.path.state\n ).with_code(self.given.get('code', '')).with_setup_code(self.given.\n get('setup', '')).with_terminal_size(160, 100).with_env(TMPDIR=self\n .path.gen).with_long_strings(yaml_snippet_1=self.given.get(\n 'yaml_snippet_1'), yaml_snippet=self.given.get('yaml_snippet'),\n yaml_snippet_2=self.given.get('yaml_snippet_2'),\n modified_yaml_snippet=self.given.get('modified_yaml_snippet'))\n", "role": "user" }, { "content": "set_up", "role": "assistant" } ]
def x(self): self.errors = [] for field in self.get_all_field_names_declared_by_user(): getattr(type(self), field).is_valid(self, type(self), field) field_errors = getattr(type(self), field).errors(self) self.errors.extend(field_errors) return len(self.errors) == 0
is_valid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.errors = []\n for field in self.get_all_field_names_declared_by_user():\n getattr(type(self), field).is_valid(self, type(self), field)\n field_errors = getattr(type(self), field).errors(self)\n self.errors.extend(field_errors)\n return len(self.errors) == 0\n", "role": "user" }, { "content": "is_valid", "role": "assistant" } ]
def x(self): logging.info('Starting {} analysis pipeline'.format(self.analysistype)) self.createobjects() self.methods() self.complete() self.additionalsipping() self.reports = Reports(self) Reports.methodreporter(self.reports) printer = MetadataPrinter(self) printer.printmetadata()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Starting {} analysis pipeline'.format(self.analysistype))\n self.createobjects()\n self.methods()\n self.complete()\n self.additionalsipping()\n self.reports = Reports(self)\n Reports.methodreporter(self.reports)\n printer = MetadataPrinter(self)\n printer.printmetadata()\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self): self.contamination_detection() ReportImage(self, 'confindr') self.run_genesippr() ReportImage(self, 'genesippr') self.run_sixteens() self.run_mash() self.run_gdcs() ReportImage(self, 'gdcs')
methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.contamination_detection()\n ReportImage(self, 'confindr')\n self.run_genesippr()\n ReportImage(self, 'genesippr')\n self.run_sixteens()\n self.run_mash()\n self.run_gdcs()\n ReportImage(self, 'gdcs')\n", "role": "user" }, { "content": "methods", "role": "assistant" } ]
def x(self): self.qualityobject = quality.Quality(self) self.qualityobject.contamination_finder(input_path=self.sequencepath, report_path=self.reportpath)
contamination_detection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.qualityobject = quality.Quality(self)\n self.qualityobject.contamination_finder(input_path=self.sequencepath,\n report_path=self.reportpath)\n", "role": "user" }, { "content": "contamination_detection", "role": "assistant" } ]
def x(self): GeneSippr(args=self, pipelinecommit=self.commit, startingtime=self. starttime, scriptpath=self.homepath, analysistype='genesippr', cutoff=0.95, pipeline=False, revbait=False)
run_genesippr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n GeneSippr(args=self, pipelinecommit=self.commit, startingtime=self.\n starttime, scriptpath=self.homepath, analysistype='genesippr',\n cutoff=0.95, pipeline=False, revbait=False)\n", "role": "user" }, { "content": "run_genesippr", "role": "assistant" } ]
def x(self): SixteensFull(args=self, pipelinecommit=self.commit, startingtime=self. starttime, scriptpath=self.homepath, analysistype='sixteens_full', cutoff=0.985)
run_sixteens
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n SixteensFull(args=self, pipelinecommit=self.commit, startingtime=self.\n starttime, scriptpath=self.homepath, analysistype='sixteens_full',\n cutoff=0.985)\n", "role": "user" }, { "content": "run_sixteens", "role": "assistant" } ]
def x(self): self.pipeline = True mash.Mash(inputobject=self, analysistype='mash')
run_mash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.pipeline = True\n mash.Mash(inputobject=self, analysistype='mash')\n", "role": "user" }, { "content": "run_mash", "role": "assistant" } ]
def x(self): allcomplete = True self.incomplete = list() for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': try: if sample.general.incomplete: if self.final: self.completemetadata.append(sample) else: sample.general.complete = False allcomplete = False self.incomplete.append(sample.name) except AttributeError: sample.general.complete = True self.completemetadata.append(sample) elif self.final: self.completemetadata.append(sample) else: sample.general.complete = False allcomplete = False self.incomplete.append(sample.name) if allcomplete: self.analysescomplete = True
complete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n allcomplete = True\n self.incomplete = list()\n for sample in self.runmetadata.samples:\n if sample.general.bestassemblyfile != 'NA':\n try:\n if sample.general.incomplete:\n if self.final:\n self.completemetadata.append(sample)\n else:\n sample.general.complete = False\n allcomplete = False\n self.incomplete.append(sample.name)\n except AttributeError:\n sample.general.complete = True\n self.completemetadata.append(sample)\n elif self.final:\n self.completemetadata.append(sample)\n else:\n sample.general.complete = False\n allcomplete = False\n self.incomplete.append(sample.name)\n if allcomplete:\n self.analysescomplete = True\n", "role": "user" }, { "content": "complete", "role": "assistant" } ]
def x(fn): @functools.wraps(fn) def x(parent_object, *args, **kw): response = _advice(parent_object.request) if response is not None: return response else: return fn(parent_object, *args, **kw) return advice
protected_operation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n @functools.wraps(fn)\n def x(parent_object, *args, **kw):\n response = _advice(parent_object.request)\n if response is not None:\n return response\n else:\n return fn(parent_object, *args, **kw)\n return advice\n", "role": "user" }, { "content": "protected_operation", "role": "assistant" } ]
def x(fn): @functools.wraps(fn) def x(request, *args, **kwargs): response = _advice(request) if response is not None: return response else: return fn(request, *args, **kwargs) return wrapped
protected_operation_with_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n @functools.wraps(fn)\n def x(request, *args, **kwargs):\n response = _advice(request)\n if response is not None:\n return response\n else:\n return fn(request, *args, **kwargs)\n return wrapped\n", "role": "user" }, { "content": "protected_operation_with_request", "role": "assistant" } ]
def x(view, info): if info.options.get('protected'): def x(context, request): response = _advice(request) if response is not None: return response else: return view(context, request) return wrapper_view return view
protected_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(view, info):\n if info.options.get('protected'):\n\n def x(context, request):\n response = _advice(request)\n if response is not None:\n return response\n else:\n return view(context, request)\n return wrapper_view\n return view\n", "role": "user" }, { "content": "protected_view", "role": "assistant" } ]
def x(pool=None): from flask_philo_sqlalchemy.schema import Base from flask_philo_sqlalchemy.orm import BaseModel from flask_philo_sqlalchemy.connection import create_pool if pool is None: pool = create_pool() for conn_name, conn in pool.connections.items(): Base.metadata.create_all(conn.engine)
syncdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pool=None):\n from flask_philo_sqlalchemy.schema import Base\n from flask_philo_sqlalchemy.orm import BaseModel\n from flask_philo_sqlalchemy.connection import create_pool\n if pool is None:\n pool = create_pool()\n for conn_name, conn in pool.connections.items():\n Base.metadata.create_all(conn.engine)\n", "role": "user" }, { "content": "syncdb", "role": "assistant" } ]
def x(package, speak=True, speakSimilar=True): packages = sorted([i.key for i in pip.get_installed_distributions()]) installed = package in packages similar = None if not installed: similar = [pkg for pkg in packages if package in pkg] if speak: speakInstalledPackages(package, 'pip', installed, similar, speakSimilar ) return installed, similar
checkInstalledPip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package, speak=True, speakSimilar=True):\n packages = sorted([i.key for i in pip.get_installed_distributions()])\n installed = package in packages\n similar = None\n if not installed:\n similar = [pkg for pkg in packages if package in pkg]\n if speak:\n speakInstalledPackages(package, 'pip', installed, similar, speakSimilar\n )\n return installed, similar\n", "role": "user" }, { "content": "checkInstalledPip", "role": "assistant" } ]
def x(package, similar=True, speak=True, speakSimilar=True): packages = subprocess.check_output(['brew', 'list']).split() installed = package in packages similar = [] if not installed: similar = [pkg for pkg in packages if package in pkg] if speak: speakInstalledPackages(package, 'homebrew', installed, similar, speakSimilar) return installed, similar
checkInstalledBrew
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package, similar=True, speak=True, speakSimilar=True):\n packages = subprocess.check_output(['brew', 'list']).split()\n installed = package in packages\n similar = []\n if not installed:\n similar = [pkg for pkg in packages if package in pkg]\n if speak:\n speakInstalledPackages(package, 'homebrew', installed, similar,\n speakSimilar)\n return installed, similar\n", "role": "user" }, { "content": "checkInstalledBrew", "role": "assistant" } ]
def x(remote_credences=None, local_path=None): if remote_credences is not None: RemoteConnexion.HOST = remote_credences['DB']['host'] RemoteConnexion.USER = remote_credences['DB']['user'] RemoteConnexion.PASSWORD = remote_credences['DB']['password'] RemoteConnexion.NAME = remote_credences['DB']['name'] MonoExecutant.ConnectionClass = RemoteConnexion Executant.ConnectionClass = RemoteConnexion abstractRequetesSQL.setup_marks('psycopg2') elif local_path is not None: LocalConnexion.PATH = local_path MonoExecutant.ConnectionClass = LocalConnexion Executant.ConnectionClass = LocalConnexion abstractRequetesSQL.setup_marks('sqlite3') else: raise ValueError( 'Sql module should be init with one of remote or local mode !') logging.info( f'Sql module initialized with {MonoExecutant.ConnectionClass.__name__}' )
init_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(remote_credences=None, local_path=None):\n if remote_credences is not None:\n RemoteConnexion.HOST = remote_credences['DB']['host']\n RemoteConnexion.USER = remote_credences['DB']['user']\n RemoteConnexion.PASSWORD = remote_credences['DB']['password']\n RemoteConnexion.NAME = remote_credences['DB']['name']\n MonoExecutant.ConnectionClass = RemoteConnexion\n Executant.ConnectionClass = RemoteConnexion\n abstractRequetesSQL.setup_marks('psycopg2')\n elif local_path is not None:\n LocalConnexion.PATH = local_path\n MonoExecutant.ConnectionClass = LocalConnexion\n Executant.ConnectionClass = LocalConnexion\n abstractRequetesSQL.setup_marks('sqlite3')\n else:\n raise ValueError(\n 'Sql module should be init with one of remote or local mode !')\n logging.info(\n f'Sql module initialized with {MonoExecutant.ConnectionClass.__name__}'\n )\n", "role": "user" }, { "content": "init_module", "role": "assistant" } ]
def x(scheme): conn = LocalConnexion() req = '' for table, fields in scheme.items(): req += f'DROP TABLE IF EXISTS {table};' req_fields = ', '.join(f'{c_name} {c_type}' for c_name, c_type in fields) req += f'CREATE TABLE {table} ( {req_fields} ) ;' cur = conn.cursor() cur.executescript(req) conn.connexion.commit() conn.connexion.close() logging.info('Database created with succes.')
cree_local_DB
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scheme):\n conn = LocalConnexion()\n req = ''\n for table, fields in scheme.items():\n req += f'DROP TABLE IF EXISTS {table};'\n req_fields = ', '.join(f'{c_name} {c_type}' for c_name, c_type in\n fields)\n req += f'CREATE TABLE {table} ( {req_fields} ) ;'\n cur = conn.cursor()\n cur.executescript(req)\n conn.connexion.commit()\n conn.connexion.close()\n logging.info('Database created with succes.')\n", "role": "user" }, { "content": "cree_local_DB", "role": "assistant" } ]
def x(self, requete_SQL): try: cursor = self.cursor() if isinstance(requete_SQL, tuple): res = self._execute_one(cursor, *requete_SQL) else: res = [] for r in requete_SQL: if r: res.append(self._execute_one(cursor, *r)) except self.SQL.Error as e: raise StructureError(f'SQL error ! Details : \n {e}') else: self.connexion.commit() finally: self.connexion.close() return res
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requete_SQL):\n try:\n cursor = self.cursor()\n if isinstance(requete_SQL, tuple):\n res = self._execute_one(cursor, *requete_SQL)\n else:\n res = []\n for r in requete_SQL:\n if r:\n res.append(self._execute_one(cursor, *r))\n except self.SQL.Error as e:\n raise StructureError(f'SQL error ! Details : \\n {e}')\n else:\n self.connexion.commit()\n finally:\n self.connexion.close()\n return res\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(cls, dic): keys = [str(x) for x in dic] entete = ','.join(keys) placeholders = ','.join(cls.named_style.format(x) for x in keys) entete = f'({entete})' placeholders = f'({placeholders})' return entete, placeholders
placeholders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dic):\n keys = [str(x) for x in dic]\n entete = ','.join(keys)\n placeholders = ','.join(cls.named_style.format(x) for x in keys)\n entete = f'({entete})'\n placeholders = f'({placeholders})'\n return entete, placeholders\n", "role": "user" }, { "content": "placeholders", "role": "assistant" } ]
def x(dic): d = {} for k, v in dic.items(): if type(v) in abstractRequetesSQL.TYPES_PERMIS: d[k] = v else: try: d[k] = json.dumps(v, ensure_ascii=False, cls=formats. JsonEncoder) except ValueError as e: logging.exception("Erreur d'encodage JSON !") raise e return d
jsonise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dic):\n d = {}\n for k, v in dic.items():\n if type(v) in abstractRequetesSQL.TYPES_PERMIS:\n d[k] = v\n else:\n try:\n d[k] = json.dumps(v, ensure_ascii=False, cls=formats.\n JsonEncoder)\n except ValueError as e:\n logging.exception(\"Erreur d'encodage JSON !\")\n raise e\n return d\n", "role": "user" }, { "content": "jsonise", "role": "assistant" } ]
def x(table, datas, avoid_conflict=False): if avoid_conflict: debut = ( 'INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} ON CONFLICT DO NOTHING' ) else: debut = ( 'INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} RETURNING *' ) l = [abstractRequetesSQL.formate(debut, table=table, INSERT=d, args=d) for d in datas if d] return Executant(l)
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, datas, avoid_conflict=False):\n if avoid_conflict:\n debut = (\n 'INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} ON CONFLICT DO NOTHING'\n )\n else:\n debut = (\n 'INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} RETURNING *'\n )\n l = [abstractRequetesSQL.formate(debut, table=table, INSERT=d, args=d) for\n d in datas if d]\n return Executant(l)\n", "role": "user" }, { "content": "insert", "role": "assistant" } ]
def x(cls, table, dic, Id): if dic: req = 'UPDATE {table} SET {SET} WHERE id = ' + cls.named_style.format( '__id') + ' RETURNING * ' r = abstractRequetesSQL.formate(req, SET=dic, table=table, args= dict(dic, __id=Id)) return MonoExecutant(r) return MonoExecutant((f'SELECT * FROM {table} WHERE id = ' + cls. named_style.format('__id'), {'__id': Id}))
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, table, dic, Id):\n if dic:\n req = 'UPDATE {table} SET {SET} WHERE id = ' + cls.named_style.format(\n '__id') + ' RETURNING * '\n r = abstractRequetesSQL.formate(req, SET=dic, table=table, args=\n dict(dic, __id=Id))\n return MonoExecutant(r)\n return MonoExecutant((f'SELECT * FROM {table} WHERE id = ' + cls.\n named_style.format('__id'), {'__id': Id}))\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(table, dic, avoid_conflict=False): if avoid_conflict: req = ( ' INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} ON CONFLICT DO NOTHING RETURNING *' ) else: req = ( ' INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} RETURNING *' ) r = abstractRequetesSQL.formate(req, table=table, INSERT=dic, args=dic) return MonoExecutant(r)
cree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, dic, avoid_conflict=False):\n if avoid_conflict:\n req = (\n ' INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} ON CONFLICT DO NOTHING RETURNING *'\n )\n else:\n req = (\n ' INSERT INTO {table} {ENTETE_INSERT} VALUES {BIND_INSERT} RETURNING *'\n )\n r = abstractRequetesSQL.formate(req, table=table, INSERT=dic, args=dic)\n return MonoExecutant(r)\n", "role": "user" }, { "content": "cree", "role": "assistant" } ]
def x(cls, table, **kwargs): assert len(kwargs) == 1 field, value = kwargs.popitem() req = f'DELETE FROM {table} WHERE {field} = ' + cls.mark_style args = value, return MonoExecutant((req, args))
supprime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, table, **kwargs):\n assert len(kwargs) == 1\n field, value = kwargs.popitem()\n req = f'DELETE FROM {table} WHERE {field} = ' + cls.mark_style\n args = value,\n return MonoExecutant((req, args))\n", "role": "user" }, { "content": "supprime", "role": "assistant" } ]
def x(self, context, obj): root = obj if isroutine(obj): yield Crumb(self, root, endpoint=True, handler=obj, options=opts(obj)) return for name, attr in getmembers(obj if isclass(obj) else obj.__class__): if name == '__getattr__': sig = signature(attr) path = '{' + list(sig.parameters.keys())[1] + '}' reta = sig.return_annotation if reta is not sig.empty: if callable(reta) and not isclass(reta): yield Crumb(self, root, path, endpoint=True, handler= reta, options=opts(reta)) else: yield Crumb(self, root, path, handler=reta) else: yield Crumb(self, root, path, handler=attr) del sig, path, reta continue elif name == '__call__': yield Crumb(self, root, None, endpoint=True, handler=obj) continue if self.protect and name[0] == '_': continue yield Crumb(self, root, name, endpoint=callable(attr) and not isclass(attr), handler=attr, options=opts(attr))
trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context, obj):\n root = obj\n if isroutine(obj):\n yield Crumb(self, root, endpoint=True, handler=obj, options=opts(obj))\n return\n for name, attr in getmembers(obj if isclass(obj) else obj.__class__):\n if name == '__getattr__':\n sig = signature(attr)\n path = '{' + list(sig.parameters.keys())[1] + '}'\n reta = sig.return_annotation\n if reta is not sig.empty:\n if callable(reta) and not isclass(reta):\n yield Crumb(self, root, path, endpoint=True, handler=\n reta, options=opts(reta))\n else:\n yield Crumb(self, root, path, handler=reta)\n else:\n yield Crumb(self, root, path, handler=attr)\n del sig, path, reta\n continue\n elif name == '__call__':\n yield Crumb(self, root, None, endpoint=True, handler=obj)\n continue\n if self.protect and name[0] == '_':\n continue\n yield Crumb(self, root, name, endpoint=callable(attr) and not\n isclass(attr), handler=attr, options=opts(attr))\n", "role": "user" }, { "content": "trace", "role": "assistant" } ]
def x(argv=None): ap = argparse.ArgumentParser(description= 'Basic query options for Python HID-IO Layouts repository') ap.add_argument('--list', action='store_true', help= 'List available layout aliases.') ap.add_argument('--get', metavar='NAME', help= 'Retrieve the given layout, and return the JSON data') args = ap.parse_args(argv) mgr = Layouts() if args.list: for name in mgr.list_layouts(): print(name) if args.get is not None: layout = mgr.get_layout(args.get) print(json.dumps(layout.json()))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None):\n ap = argparse.ArgumentParser(description=\n 'Basic query options for Python HID-IO Layouts repository')\n ap.add_argument('--list', action='store_true', help=\n 'List available layout aliases.')\n ap.add_argument('--get', metavar='NAME', help=\n 'Retrieve the given layout, and return the JSON data')\n args = ap.parse_args(argv)\n mgr = Layouts()\n if args.list:\n for name in mgr.list_layouts():\n print(name)\n if args.get is not None:\n layout = mgr.get_layout(args.get)\n print(json.dumps(layout.json()))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, github_path, version, cache_dir, token): token = os.environ.get('GITHUB_APIKEY', None) try: gh = Github(token) repo = gh.get_repo(github_path) commit = repo.get_commit(version) commits = repo.get_commits() total_commits = 0 commit_number = 0 for cmt in commits: if commit == cmt: commit_number = total_commits total_commits += 1 commit_number = total_commits - commit_number tar_url = repo.get_archive_link('tarball', commit.sha) except GithubException.RateLimitExceededException: if token is None: log.warning('GITHUB_APIKEY is not set!') raise dirname_orig = '{}-{}'.format(github_path.replace('/', '-'), commit.sha[:7] ) dirname_orig_path = os.path.join(cache_dir, dirname_orig) dirname = '{}-{}'.format(commit_number, dirname_orig) dirname_path = os.path.join(cache_dir, dirname) if not os.path.isdir(dirname_path): filename = '{}.tar.gz'.format(dirname) filepath = os.path.join(cache_dir, filename) if not os.path.isfile(filepath): chunk_size = 2000 req = requests.get(tar_url, stream=True) with open(filepath, 'wb') as infile: for chunk in req.iter_content(chunk_size): infile.write(chunk) tar = tarfile.open(filepath) tar.extractall(cache_dir) os.rename(dirname_orig_path, dirname_path) tar.close() os.remove(filepath)
retrieve_github_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, github_path, version, cache_dir, token):\n token = os.environ.get('GITHUB_APIKEY', None)\n try:\n gh = Github(token)\n repo = gh.get_repo(github_path)\n commit = repo.get_commit(version)\n commits = repo.get_commits()\n total_commits = 0\n commit_number = 0\n for cmt in commits:\n if commit == cmt:\n commit_number = total_commits\n total_commits += 1\n commit_number = total_commits - commit_number\n tar_url = repo.get_archive_link('tarball', commit.sha)\n except GithubException.RateLimitExceededException:\n if token is None:\n log.warning('GITHUB_APIKEY is not set!')\n raise\n dirname_orig = '{}-{}'.format(github_path.replace('/', '-'), commit.sha[:7]\n )\n dirname_orig_path = os.path.join(cache_dir, dirname_orig)\n dirname = '{}-{}'.format(commit_number, dirname_orig)\n dirname_path = os.path.join(cache_dir, dirname)\n if not os.path.isdir(dirname_path):\n filename = '{}.tar.gz'.format(dirname)\n filepath = os.path.join(cache_dir, filename)\n if not os.path.isfile(filepath):\n chunk_size = 2000\n req = requests.get(tar_url, stream=True)\n with open(filepath, 'wb') as infile:\n for chunk in req.iter_content(chunk_size):\n infile.write(chunk)\n tar = tarfile.open(filepath)\n tar.extractall(cache_dir)\n os.rename(dirname_orig_path, dirname_path)\n tar.close()\n os.remove(filepath)\n", "role": "user" }, { "content": "retrieve_github_cache", "role": "assistant" } ]
def x(self, name): layout_chain = [] try: json_data = self.json_files[self.layout_names[name]] except KeyError: log.error('Could not find layout: %s', name) log.error('Layouts path: %s', self.layout_path) raise layout_chain.append(Layout(name, json_data)) parent = layout_chain[-1].parent() while parent is not None: parent_path = None for path in self.json_file_paths: if os.path.normcase(os.path.normpath(parent)) in os.path.normcase( path): parent_path = path if parent_path is None: raise UnknownLayoutPathException('Could not find: {}'.format( parent_path)) json_data = self.json_files[parent_path] layout_chain.append(Layout(parent_path, json_data)) parent = layout_chain[-1].parent() layout = self.squash_layouts(layout_chain) return layout
get_layout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n layout_chain = []\n try:\n json_data = self.json_files[self.layout_names[name]]\n except KeyError:\n log.error('Could not find layout: %s', name)\n log.error('Layouts path: %s', self.layout_path)\n raise\n layout_chain.append(Layout(name, json_data))\n parent = layout_chain[-1].parent()\n while parent is not None:\n parent_path = None\n for path in self.json_file_paths:\n if os.path.normcase(os.path.normpath(parent)) in os.path.normcase(\n path):\n parent_path = path\n if parent_path is None:\n raise UnknownLayoutPathException('Could not find: {}'.format(\n parent_path))\n json_data = self.json_files[parent_path]\n layout_chain.append(Layout(parent_path, json_data))\n parent = layout_chain[-1].parent()\n layout = self.squash_layouts(layout_chain)\n return layout\n", "role": "user" }, { "content": "get_layout", "role": "assistant" } ]
def x(self, merge_to, merge_in): for key, value in merge_in.items(): if key not in merge_to.keys() or merge_to[key] is None: merge_to[key] = copy.copy(value) continue if not isinstance(value, type(merge_to[key])): raise MergeException('Types do not match! {}: {} != {}'.format( key, type(value), type(merge_to[key]))) if isinstance(value, dict): self.dict_merge(merge_to[key], value) continue merge_to[key] = copy.copy(value)
dict_merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, merge_to, merge_in):\n for key, value in merge_in.items():\n if key not in merge_to.keys() or merge_to[key] is None:\n merge_to[key] = copy.copy(value)\n continue\n if not isinstance(value, type(merge_to[key])):\n raise MergeException('Types do not match! {}: {} != {}'.format(\n key, type(value), type(merge_to[key])))\n if isinstance(value, dict):\n self.dict_merge(merge_to[key], value)\n continue\n merge_to[key] = copy.copy(value)\n", "role": "user" }, { "content": "dict_merge", "role": "assistant" } ]
def x(self, layouts): top_layout = layouts[0] json_data = {} layout = Layout(top_layout.name(), json_data, layouts) for mlayout in reversed(layouts): self.dict_merge(layout.json(), mlayout.json()) return layout
squash_layouts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, layouts):\n top_layout = layouts[0]\n json_data = {}\n layout = Layout(top_layout.name(), json_data, layouts)\n for mlayout in reversed(layouts):\n self.dict_merge(layout.json(), mlayout.json())\n return layout\n", "role": "user" }, { "content": "squash_layouts", "role": "assistant" } ]
def x(self, name, key_caps=False, value_caps=False): if not isinstance(self.json_data[name], dict): raise InvalidDictionaryException output = {} for key, value in self.json_data[name].items(): output[key.upper() if key_caps else key] = value.upper( ) if value_caps else value return output
dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, key_caps=False, value_caps=False):\n if not isinstance(self.json_data[name], dict):\n raise InvalidDictionaryException\n output = {}\n for key, value in self.json_data[name].items():\n output[key.upper() if key_caps else key] = value.upper(\n ) if value_caps else value\n return output\n", "role": "user" }, { "content": "dict", "role": "assistant" } ]
def x(self): name = self.json_data['hid_locale'] if name is None: name = 'Undefined' return int(self.json_data['from_hid_locale'][name]), name
locale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name = self.json_data['hid_locale']\n if name is None:\n name = 'Undefined'\n return int(self.json_data['from_hid_locale'][name]), name\n", "role": "user" }, { "content": "locale", "role": "assistant" } ]
def x(self, text, minimal_clears=False, no_clears=False): sequence = [] clear = self.json_data['to_hid_keyboard']['0x00'] for char in text: if char not in self.json_data['composition']: raise ComposeException( "'{}' is not defined as a composition in the layout '{}'". format(char, self.name)) lookup = self.json_data['composition'][char] if sequence and set(tuple(lookup[0])) & set(tuple(sequence[-1]) ) and not no_clears: sequence.extend([[clear]]) sequence.extend(lookup) if not minimal_clears and not no_clears: sequence.extend([[clear]]) if minimal_clears and not no_clears: sequence.extend([[clear]]) return sequence
compose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, minimal_clears=False, no_clears=False):\n sequence = []\n clear = self.json_data['to_hid_keyboard']['0x00']\n for char in text:\n if char not in self.json_data['composition']:\n raise ComposeException(\n \"'{}' is not defined as a composition in the layout '{}'\".\n format(char, self.name))\n lookup = self.json_data['composition'][char]\n if sequence and set(tuple(lookup[0])) & set(tuple(sequence[-1])\n ) and not no_clears:\n sequence.extend([[clear]])\n sequence.extend(lookup)\n if not minimal_clears and not no_clears:\n sequence.extend([[clear]])\n if minimal_clears and not no_clears:\n sequence.extend([[clear]])\n return sequence\n", "role": "user" }, { "content": "compose", "role": "assistant" } ]
def x(self): logging.info('Starting {at} analysis pipeline'.format(at=self.analysistype) ) objects = Objectprep(self) objects.objectprep() self.runmetadata = objects.samples self.threads = int(self.cpus / len(self.runmetadata.samples) ) if self.cpus / len(self.runmetadata.samples) > 1 else 1 if self.genesippr: self.analysistype = 'genesippr' self.targetpath = os.path.join(self.reffilepath, self.analysistype) Sippr(inputobject=self, cutoff=0.9, averagedepth=5) self.reports = Reports(self) Reports.reporter(self.reports) if self.sixteens: SixteensFull(args=self, pipelinecommit=self.commit, startingtime= self.starttime, scriptpath=self.homepath, analysistype= 'sixteens_full', cutoff=0.985) if self.closestreference: self.pipeline = True mash.Mash(inputobject=self, analysistype='mash') if self.rmlst: rmlst = MLSTSippr(args=self, pipelinecommit=self.commit, startingtime=self.starttime, scriptpath=self.homepath, analysistype='rMLST', cutoff=1.0, pipeline=True) rmlst.runner() if self.resistance: res = Resistance(args=self, pipelinecommit=self.commit, startingtime=self.starttime, scriptpath=self.homepath, analysistype='resfinder', cutoff=0.7, pipeline=False, revbait=True) res.main() if self.virulence: self.genus_specific() Virulence(args=self, pipelinecommit=self.commit, startingtime=self. starttime, scriptpath=self.homepath, analysistype='virulence', cutoff=0.95, pipeline=False, revbait=True) if self.gdcs: self.genus_specific() self.analysistype = 'GDCS' self.targetpath = os.path.join(self.reffilepath, self.analysistype) Sippr(inputobject=self, cutoff=0.95, k=self.gdcs_kmer_size) self.reports = Reports(self) Reports.gdcsreporter(self.reports) if self.mlst: self.genus_specific() mlst = MLSTSippr(args=self, pipelinecommit=self.commit, startingtime=self.starttime, scriptpath=self.homepath, analysistype='MLST', cutoff=1.0, pipeline=True) mlst.runner() if self.serotype: self.genus_specific() SeroSippr(args=self, pipelinecommit=self.commit, startingtime=self. starttime, scriptpath=self.homepath, analysistype='serosippr', cutoff=0.9, pipeline=True) if self.pointfinder: self.genus_specific() PointSippr(args=self, pipelinecommit=self.commit, startingtime=self .starttime, scriptpath=self.homepath, analysistype= 'pointfinder', cutoff=0.85, pipeline=True, revbait=True) if self.user_genes: custom = CustomGenes(args=self, kmer_size=self.kmer_size, allow_soft_clips=self.allow_soft_clips) custom.main() MetadataPrinter(self)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Starting {at} analysis pipeline'.format(at=self.analysistype)\n )\n objects = Objectprep(self)\n objects.objectprep()\n self.runmetadata = objects.samples\n self.threads = int(self.cpus / len(self.runmetadata.samples)\n ) if self.cpus / len(self.runmetadata.samples) > 1 else 1\n if self.genesippr:\n self.analysistype = 'genesippr'\n self.targetpath = os.path.join(self.reffilepath, self.analysistype)\n Sippr(inputobject=self, cutoff=0.9, averagedepth=5)\n self.reports = Reports(self)\n Reports.reporter(self.reports)\n if self.sixteens:\n SixteensFull(args=self, pipelinecommit=self.commit, startingtime=\n self.starttime, scriptpath=self.homepath, analysistype=\n 'sixteens_full', cutoff=0.985)\n if self.closestreference:\n self.pipeline = True\n mash.Mash(inputobject=self, analysistype='mash')\n if self.rmlst:\n rmlst = MLSTSippr(args=self, pipelinecommit=self.commit,\n startingtime=self.starttime, scriptpath=self.homepath,\n analysistype='rMLST', cutoff=1.0, pipeline=True)\n rmlst.runner()\n if self.resistance:\n res = Resistance(args=self, pipelinecommit=self.commit,\n startingtime=self.starttime, scriptpath=self.homepath,\n analysistype='resfinder', cutoff=0.7, pipeline=False, revbait=True)\n res.main()\n if self.virulence:\n self.genus_specific()\n Virulence(args=self, pipelinecommit=self.commit, startingtime=self.\n starttime, scriptpath=self.homepath, analysistype='virulence',\n cutoff=0.95, pipeline=False, revbait=True)\n if self.gdcs:\n self.genus_specific()\n self.analysistype = 'GDCS'\n self.targetpath = os.path.join(self.reffilepath, self.analysistype)\n Sippr(inputobject=self, cutoff=0.95, k=self.gdcs_kmer_size)\n self.reports = Reports(self)\n Reports.gdcsreporter(self.reports)\n if self.mlst:\n self.genus_specific()\n mlst = MLSTSippr(args=self, pipelinecommit=self.commit,\n startingtime=self.starttime, scriptpath=self.homepath,\n analysistype='MLST', cutoff=1.0, pipeline=True)\n mlst.runner()\n if self.serotype:\n self.genus_specific()\n SeroSippr(args=self, pipelinecommit=self.commit, startingtime=self.\n starttime, scriptpath=self.homepath, analysistype='serosippr',\n cutoff=0.9, pipeline=True)\n if self.pointfinder:\n self.genus_specific()\n PointSippr(args=self, pipelinecommit=self.commit, startingtime=self\n .starttime, scriptpath=self.homepath, analysistype=\n 'pointfinder', cutoff=0.85, pipeline=True, revbait=True)\n if self.user_genes:\n custom = CustomGenes(args=self, kmer_size=self.kmer_size,\n allow_soft_clips=self.allow_soft_clips)\n custom.main()\n MetadataPrinter(self)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self): closestrefseqgenus = False for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': try: closestrefseqgenus = sample.general.closestrefseqgenus except AttributeError: pass if not closestrefseqgenus: logging.info( 'Must perform MASH analyses to determine genera of samples') self.pipeline = True mash.Mash(self, 'mash')
genus_specific
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n closestrefseqgenus = False\n for sample in self.runmetadata.samples:\n if sample.general.bestassemblyfile != 'NA':\n try:\n closestrefseqgenus = sample.general.closestrefseqgenus\n except AttributeError:\n pass\n if not closestrefseqgenus:\n logging.info(\n 'Must perform MASH analyses to determine genera of samples')\n self.pipeline = True\n mash.Mash(self, 'mash')\n", "role": "user" }, { "content": "genus_specific", "role": "assistant" } ]
def x(): if not settings.platformCompatible(): return False output, error = subprocess.Popen(['osascript', '-e', PAUSE], stdout= subprocess.PIPE).communicate()
pause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not settings.platformCompatible():\n return False\n output, error = subprocess.Popen(['osascript', '-e', PAUSE], stdout=\n subprocess.PIPE).communicate()\n", "role": "user" }, { "content": "pause", "role": "assistant" } ]
def x(): if not settings.platformCompatible(): return False output, error = subprocess.Popen(['osascript', '-e', RESUME], stdout= subprocess.PIPE).communicate()
resume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not settings.platformCompatible():\n return False\n output, error = subprocess.Popen(['osascript', '-e', RESUME], stdout=\n subprocess.PIPE).communicate()\n", "role": "user" }, { "content": "resume", "role": "assistant" } ]
def x(): if not settings.platformCompatible(): return False output, error = subprocess.Popen(['osascript', '-e', SKIP], stdout= subprocess.PIPE).communicate()
skip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not settings.platformCompatible():\n return False\n output, error = subprocess.Popen(['osascript', '-e', SKIP], stdout=\n subprocess.PIPE).communicate()\n", "role": "user" }, { "content": "skip", "role": "assistant" } ]
def x(song, artist=None, album=None): if not settings.platformCompatible(): return False if song and not artist and not album: output, error = subprocess.Popen(['osascript', '-e', DEFAULT_ITUNES_PLAY % (song, song, song)], stdout=subprocess.PIPE ).communicate() if output: speech.speak('Playing ' + output) else: speech.speak('Unable to find ' + song + ' in your library.') elif song and artist and not album: output, error = subprocess.Popen(['osascript', '-e', ITUNES_SONG_AND_ARTIST % (song, artist, song, artist)], stdout= subprocess.PIPE).communicate() if output: speech.speak('Playing ' + output) else: speech.speak('Unable to find ' + song + ' in your library.') elif album and artist and not song: output, error = subprocess.Popen(['osascript', '-e', ITUNES_ALBUM_AND_ARTIST % (artist, album)], stdout=subprocess.PIPE ).communicate() if output: speech.speak('Playing ' + output) else: speech.speak('Unable to find ' + song + ' in your library.') elif album and not artist and not song: output, error = subprocess.Popen(['osascript', '-e', ITUNES_ALBUM % album], stdout=subprocess.PIPE).communicate() if output: speech.speak('Playing ' + output) else: speech.speak('Unable to find ' + song + ' in your library.') elif artist and not album and not song: output, error = subprocess.Popen(['osascript', '-e', ITUNES_ARTIST % artist], stdout=subprocess.PIPE).communicate() if output: speech.speak('Playing ' + output) else: speech.speak('Unable to find ' + song + ' in your library.')
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(song, artist=None, album=None):\n if not settings.platformCompatible():\n return False\n if song and not artist and not album:\n output, error = subprocess.Popen(['osascript', '-e', \n DEFAULT_ITUNES_PLAY % (song, song, song)], stdout=subprocess.PIPE\n ).communicate()\n if output:\n speech.speak('Playing ' + output)\n else:\n speech.speak('Unable to find ' + song + ' in your library.')\n elif song and artist and not album:\n output, error = subprocess.Popen(['osascript', '-e', \n ITUNES_SONG_AND_ARTIST % (song, artist, song, artist)], stdout=\n subprocess.PIPE).communicate()\n if output:\n speech.speak('Playing ' + output)\n else:\n speech.speak('Unable to find ' + song + ' in your library.')\n elif album and artist and not song:\n output, error = subprocess.Popen(['osascript', '-e', \n ITUNES_ALBUM_AND_ARTIST % (artist, album)], stdout=subprocess.PIPE\n ).communicate()\n if output:\n speech.speak('Playing ' + output)\n else:\n speech.speak('Unable to find ' + song + ' in your library.')\n elif album and not artist and not song:\n output, error = subprocess.Popen(['osascript', '-e', ITUNES_ALBUM %\n album], stdout=subprocess.PIPE).communicate()\n if output:\n speech.speak('Playing ' + output)\n else:\n speech.speak('Unable to find ' + song + ' in your library.')\n elif artist and not album and not song:\n output, error = subprocess.Popen(['osascript', '-e', ITUNES_ARTIST %\n artist], stdout=subprocess.PIPE).communicate()\n if output:\n speech.speak('Playing ' + output)\n else:\n speech.speak('Unable to find ' + song + ' in your library.')\n", "role": "user" }, { "content": "play", "role": "assistant" } ]
def x(*services): def x(clazz): instance = clazz() for service in services: global_lookup.add(service, instance) return clazz return real_decorator
service_provider
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*services):\n\n def x(clazz):\n instance = clazz()\n for service in services:\n global_lookup.add(service, instance)\n return clazz\n return real_decorator\n", "role": "user" }, { "content": "service_provider", "role": "assistant" } ]
def x(word): compound = bool(re.search('(-| |=)', word)) syllabify = _syllabify_compound if compound else _syllabify_simplex syllabifications = list(syllabify(word)) for word, rules in rank(syllabifications): word = str(replace_umlauts(word, put_back=True)) rules = rules[1:] yield word, rules
syllabify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n compound = bool(re.search('(-| |=)', word))\n syllabify = _syllabify_compound if compound else _syllabify_simplex\n syllabifications = list(syllabify(word))\n for word, rules in rank(syllabifications):\n word = str(replace_umlauts(word, put_back=True))\n rules = rules[1:]\n yield word, rules\n", "role": "user" }, { "content": "syllabify", "role": "assistant" } ]
def x(word): WORD = word offset = 0 for vv in vv_sequences(WORD): seq = vv.group(2) if not is_diphthong(seq) and not is_long(seq): i = vv.start(2) + 1 + offset WORD = WORD[:i] + '.' + WORD[i:] offset += 1 RULE = ' T2' if word != WORD else '' return WORD, RULE
apply_T2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word\n offset = 0\n for vv in vv_sequences(WORD):\n seq = vv.group(2)\n if not is_diphthong(seq) and not is_long(seq):\n i = vv.start(2) + 1 + offset\n WORD = WORD[:i] + '.' + WORD[i:]\n offset += 1\n RULE = ' T2' if word != WORD else ''\n return WORD, RULE\n", "role": "user" }, { "content": "apply_T2", "role": "assistant" } ]
def x(word): WORD = word offset = 0 for vi in i_final_diphthong_vvv_sequences(WORD): s = max(vi.start(1), vi.start(2)) i = 2 if s + 2 < len(word) and is_vowel(word[s + 2]) else 0 if not s == i == 0: i += s + offset WORD = WORD[:i] + '.' + WORD[i:] offset += 1 RULE = ' T5' if word != WORD else '' return WORD, RULE
apply_T5
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word\n offset = 0\n for vi in i_final_diphthong_vvv_sequences(WORD):\n s = max(vi.start(1), vi.start(2))\n i = 2 if s + 2 < len(word) and is_vowel(word[s + 2]) else 0\n if not s == i == 0:\n i += s + offset\n WORD = WORD[:i] + '.' + WORD[i:]\n offset += 1\n RULE = ' T5' if word != WORD else ''\n return WORD, RULE\n", "role": "user" }, { "content": "apply_T5", "role": "assistant" } ]
def x(word): WORD = word offset = 0 for vvv in vvv_sequences(WORD): seq = vvv.group(2) j = 2 if is_long(seq[:2]) else 1 if is_long(seq[1:]) else 0 if j: i = vvv.start(2) + j + offset WORD = WORD[:i] + '.' + WORD[i:] offset += 1 RULE = ' T6' if word != WORD else '' return WORD, RULE
apply_T6
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word\n offset = 0\n for vvv in vvv_sequences(WORD):\n seq = vvv.group(2)\n j = 2 if is_long(seq[:2]) else 1 if is_long(seq[1:]) else 0\n if j:\n i = vvv.start(2) + j + offset\n WORD = WORD[:i] + '.' + WORD[i:]\n offset += 1\n RULE = ' T6' if word != WORD else ''\n return WORD, RULE\n", "role": "user" }, { "content": "apply_T6", "role": "assistant" } ]
def x(word): WORD = word offset = 0 for vvv in vvv_sequences(WORD): i = vvv.start(2) + 2 + offset WORD = WORD[:i] + '.' + WORD[i:] offset += 1 RULE = ' T7' if word != WORD else '' return WORD, RULE
apply_T7
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word\n offset = 0\n for vvv in vvv_sequences(WORD):\n i = vvv.start(2) + 2 + offset\n WORD = WORD[:i] + '.' + WORD[i:]\n offset += 1\n RULE = ' T7' if word != WORD else ''\n return WORD, RULE\n", "role": "user" }, { "content": "apply_T7", "role": "assistant" } ]
def x(word): WORD = word offset = 0 for vv in tail_diphthongs(WORD): i = vv.start(1) + 1 + offset WORD = WORD[:i] + '.' + WORD[i:] offset += 1 RULE = ' T8' if word != WORD else '' return WORD, RULE
apply_T8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word\n offset = 0\n for vv in tail_diphthongs(WORD):\n i = vv.start(1) + 1 + offset\n WORD = WORD[:i] + '.' + WORD[i:]\n offset += 1\n RULE = ' T8' if word != WORD else ''\n return WORD, RULE\n", "role": "user" }, { "content": "apply_T8", "role": "assistant" } ]
def x(word): HEAVY = '[ieaAoO]{1}[\\.]*(u|y)[^ieaAoO]+(\\.|$)' delimiters = [i for i, char in enumerate(word) if char == '.'] if len(delimiters) % 2 != 0: delimiters.append(len(word)) unstressed = [] for i, d in enumerate(delimiters): if i % 2 == 0: unstressed.extend(range(d + 1, delimiters[i + 1])) heavies = re.finditer(HEAVY, word) violations = sum(1 for m in heavies if m.start(0) in unstressed) return violations
wsp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n HEAVY = '[ieaAoO]{1}[\\\\.]*(u|y)[^ieaAoO]+(\\\\.|$)'\n delimiters = [i for i, char in enumerate(word) if char == '.']\n if len(delimiters) % 2 != 0:\n delimiters.append(len(word))\n unstressed = []\n for i, d in enumerate(delimiters):\n if i % 2 == 0:\n unstressed.extend(range(d + 1, delimiters[i + 1]))\n heavies = re.finditer(HEAVY, word)\n violations = sum(1 for m in heavies if m.start(0) in unstressed)\n return violations\n", "role": "user" }, { "content": "wsp", "role": "assistant" } ]
def x(word): LIGHT = '[ieaAoO]{1}[\\.]*(u|y)(\\.|$)' delimiters = [0] + [i for i, char in enumerate(word) if char == '.'] if len(delimiters) % 2 != 0: delimiters.append(len(word)) stressed = [] for i, d in enumerate(delimiters): if i % 2 == 0: stressed.extend(range(d + 1, delimiters[i + 1])) heavies = re.finditer(LIGHT, word) violations = sum(1 for m in heavies if m.start(1) in stressed) return violations
pk_prom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n LIGHT = '[ieaAoO]{1}[\\\\.]*(u|y)(\\\\.|$)'\n delimiters = [0] + [i for i, char in enumerate(word) if char == '.']\n if len(delimiters) % 2 != 0:\n delimiters.append(len(word))\n stressed = []\n for i, d in enumerate(delimiters):\n if i % 2 == 0:\n stressed.extend(range(d + 1, delimiters[i + 1]))\n heavies = re.finditer(LIGHT, word)\n violations = sum(1 for m in heavies if m.start(1) in stressed)\n return violations\n", "role": "user" }, { "content": "pk_prom", "role": "assistant" } ]
def x(self, extension): new_pathq = copy(self) new_pathq._pattern.ext = extension return new_pathq
ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, extension):\n new_pathq = copy(self)\n new_pathq._pattern.ext = extension\n return new_pathq\n", "role": "user" }, { "content": "ext", "role": "assistant" } ]
def x(word): WORD = word offset = 0 for ie in ie_sequences(WORD): i = ie.start(1) + 1 + offset WORD = WORD[:i] + '.' + WORD[i:] offset += 1 RULE = ' T8' if word != WORD else '' return WORD, RULE
apply_T8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word\n offset = 0\n for ie in ie_sequences(WORD):\n i = ie.start(1) + 1 + offset\n WORD = WORD[:i] + '.' + WORD[i:]\n offset += 1\n RULE = ' T8' if word != WORD else ''\n return WORD, RULE\n", "role": "user" }, { "content": "apply_T8", "role": "assistant" } ]
def x(word): WORD = word index = 0 offset = 0 for iu in iu_sequences(WORD): if iu.start(1) != index: i = iu.start(1) + 1 + offset WORD = WORD[:i] + '.' + WORD[i:] index = iu.start(1) offset += 1 RULE = ' T9' if word != WORD else '' return WORD, RULE
apply_T9
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word\n index = 0\n offset = 0\n for iu in iu_sequences(WORD):\n if iu.start(1) != index:\n i = iu.start(1) + 1 + offset\n WORD = WORD[:i] + '.' + WORD[i:]\n index = iu.start(1)\n offset += 1\n RULE = ' T9' if word != WORD else ''\n return WORD, RULE\n", "role": "user" }, { "content": "apply_T9", "role": "assistant" } ]
def x(import_str): mod_str, _sep, class_str = import_str.rpartition('.') try: __import__(mod_str) return getattr(sys.modules[mod_str], class_str) except (ValueError, AttributeError): raise ImportError('Class %s cannot be found (%s)' % (class_str, traceback.format_exception(*sys.exc_info())))
import_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(import_str):\n mod_str, _sep, class_str = import_str.rpartition('.')\n try:\n __import__(mod_str)\n return getattr(sys.modules[mod_str], class_str)\n except (ValueError, AttributeError):\n raise ImportError('Class %s cannot be found (%s)' % (class_str,\n traceback.format_exception(*sys.exc_info())))\n", "role": "user" }, { "content": "import_class", "role": "assistant" } ]
def x(name_space, import_str, *args, **kwargs): import_value = '%s.%s' % (name_space, import_str) try: return import_class(import_value)(*args, **kwargs) except ImportError: return import_class(import_str)(*args, **kwargs)
import_object_ns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name_space, import_str, *args, **kwargs):\n import_value = '%s.%s' % (name_space, import_str)\n try:\n return import_class(import_value)(*args, **kwargs)\n except ImportError:\n return import_class(import_str)(*args, **kwargs)\n", "role": "user" }, { "content": "import_object_ns", "role": "assistant" } ]
def x(distribution, force_setup=False): if 'ubuntu' in distribution: with hide('running', 'stdout'): sudo('DEBIAN_FRONTEND=noninteractive apt-get update') sudo( "sudo DEBIAN_FRONTEND=noninteractive apt-get -y -o Dpkg::Options::='--force-confdef' -o Dpkg::Options::='--force-confold' upgrade --force-yes" ) install_ubuntu_development_tools() apt_install(packages=['dkms', 'linux-headers-generic', 'build-essential']) sudo( 'wget -q https://www.virtualbox.org/download/oracle_vbox.asc -O- |sudo apt-key add -' ) os = lsb_release() apt_string = ' '.join(['deb', 'http://download.virtualbox.org/virtualbox/debian', '%s contrib' % os['DISTRIB_CODENAME']]) apt_add_repository_from_apt_string(apt_string, 'vbox.list') apt_install(packages=['virtualbox-5.0']) loaded_modules = sudo('lsmod') if 'vboxdrv' not in loaded_modules or force_setup: if 'Vivid Vervet' in run('cat /etc/os-release'): sudo('systemctl start vboxdrv') else: sudo('/etc/init.d/vboxdrv start') sudo( 'wget -c http://download.virtualbox.org/virtualbox/5.0.4/Oracle_VM_VirtualBox_Extension_Pack-5.0.4-102546.vbox-extpack' ) sudo( 'VBoxManage extpack install --replace Oracle_VM_VirtualBox_Extension_Pack-5.0.4-102546.vbox-extpack' )
install_virtualbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(distribution, force_setup=False):\n if 'ubuntu' in distribution:\n with hide('running', 'stdout'):\n sudo('DEBIAN_FRONTEND=noninteractive apt-get update')\n sudo(\n \"sudo DEBIAN_FRONTEND=noninteractive apt-get -y -o Dpkg::Options::='--force-confdef' -o Dpkg::Options::='--force-confold' upgrade --force-yes\"\n )\n install_ubuntu_development_tools()\n apt_install(packages=['dkms', 'linux-headers-generic',\n 'build-essential'])\n sudo(\n 'wget -q https://www.virtualbox.org/download/oracle_vbox.asc -O- |sudo apt-key add -'\n )\n os = lsb_release()\n apt_string = ' '.join(['deb',\n 'http://download.virtualbox.org/virtualbox/debian', \n '%s contrib' % os['DISTRIB_CODENAME']])\n apt_add_repository_from_apt_string(apt_string, 'vbox.list')\n apt_install(packages=['virtualbox-5.0'])\n loaded_modules = sudo('lsmod')\n if 'vboxdrv' not in loaded_modules or force_setup:\n if 'Vivid Vervet' in run('cat /etc/os-release'):\n sudo('systemctl start vboxdrv')\n else:\n sudo('/etc/init.d/vboxdrv start')\n sudo(\n 'wget -c http://download.virtualbox.org/virtualbox/5.0.4/Oracle_VM_VirtualBox_Extension_Pack-5.0.4-102546.vbox-extpack'\n )\n sudo(\n 'VBoxManage extpack install --replace Oracle_VM_VirtualBox_Extension_Pack-5.0.4-102546.vbox-extpack'\n )\n", "role": "user" }, { "content": "install_virtualbox", "role": "assistant" } ]
def x(plugin, use_sudo=False): cmd = 'vagrant plugin install %s' % plugin with settings(hide('running', 'stdout')): if use_sudo: if plugin not in sudo('vagrant plugin list'): sudo(cmd) elif plugin not in run('vagrant plugin list'): run(cmd)
install_vagrant_plugin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plugin, use_sudo=False):\n cmd = 'vagrant plugin install %s' % plugin\n with settings(hide('running', 'stdout')):\n if use_sudo:\n if plugin not in sudo('vagrant plugin list'):\n sudo(cmd)\n elif plugin not in run('vagrant plugin list'):\n run(cmd)\n", "role": "user" }, { "content": "install_vagrant_plugin", "role": "assistant" } ]
def x(self): printtime('Starting mashsippr analysis pipeline', self.starttime) if not self.pipeline: objects = Objectprep(self) objects.objectprep() self.runmetadata = objects.samples Mash(self, self.analysistype)
runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n printtime('Starting mashsippr analysis pipeline', self.starttime)\n if not self.pipeline:\n objects = Objectprep(self)\n objects.objectprep()\n self.runmetadata = objects.samples\n Mash(self, self.analysistype)\n", "role": "user" }, { "content": "runner", "role": "assistant" } ]
def x(self): for t in self.FIELDS: if type(t) is str: attr, kwargs = t, {} else: attr, kwargs = t[0], t[1].copy() self.champs.append(attr) is_editable = kwargs.pop('is_editable', self.is_editable) args = [self.acces[attr], is_editable] with_base = kwargs.pop('with_base', False) if with_base: args.append(self.acces.base) if 'with_label' in kwargs: label = kwargs.pop('with_label') else: label = ASSOCIATION[attr][0] if kwargs: w = ASSOCIATION[attr][3](*args, **kwargs) else: w = ASSOCIATION[attr][3](*args) self.widgets[attr] = w, label
cree_widgets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for t in self.FIELDS:\n if type(t) is str:\n attr, kwargs = t, {}\n else:\n attr, kwargs = t[0], t[1].copy()\n self.champs.append(attr)\n is_editable = kwargs.pop('is_editable', self.is_editable)\n args = [self.acces[attr], is_editable]\n with_base = kwargs.pop('with_base', False)\n if with_base:\n args.append(self.acces.base)\n if 'with_label' in kwargs:\n label = kwargs.pop('with_label')\n else:\n label = ASSOCIATION[attr][0]\n if kwargs:\n w = ASSOCIATION[attr][3](*args, **kwargs)\n else:\n w = ASSOCIATION[attr][3](*args)\n self.widgets[attr] = w, label\n", "role": "user" }, { "content": "cree_widgets", "role": "assistant" } ]
def x(self, champs_ligne): for c in champs_ligne: label = ASSOCIATION[c][0] w = ASSOCIATION[c][3](self.acces[c], False) w.setObjectName('champ-lecture-seule-details') self.widgets[c] = w, label
cree_ws_lecture
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, champs_ligne):\n for c in champs_ligne:\n label = ASSOCIATION[c][0]\n w = ASSOCIATION[c][3](self.acces[c], False)\n w.setObjectName('champ-lecture-seule-details')\n self.widgets[c] = w, label\n", "role": "user" }, { "content": "cree_ws_lecture", "role": "assistant" } ]
def x(s): if not isinstance(s, six.text_type): raise TypeError(u"String to split must be of type 'unicode'!") surrogates_regex_str = u'[{0}-{1}][{2}-{3}]'.format(HIGH_SURROGATE_START, HIGH_SURROGATE_END, LOW_SURROGATE_START, LOW_SURROGATE_END) surrogates_regex = re.compile(u'(?:{0})|.'.format(surrogates_regex_str)) return surrogates_regex.findall(s)
preservesurrogates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if not isinstance(s, six.text_type):\n raise TypeError(u\"String to split must be of type 'unicode'!\")\n surrogates_regex_str = u'[{0}-{1}][{2}-{3}]'.format(HIGH_SURROGATE_START,\n HIGH_SURROGATE_END, LOW_SURROGATE_START, LOW_SURROGATE_END)\n surrogates_regex = re.compile(u'(?:{0})|.'.format(surrogates_regex_str))\n return surrogates_regex.findall(s)\n", "role": "user" }, { "content": "preservesurrogates", "role": "assistant" } ]
def x(i): if not isinstance(i, int): raise TypeError try: return six.unichr(i) except ValueError: return struct.pack('i', i).decode('utf-32')
unichr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(i):\n if not isinstance(i, int):\n raise TypeError\n try:\n return six.unichr(i)\n except ValueError:\n return struct.pack('i', i).decode('utf-32')\n", "role": "user" }, { "content": "unichr", "role": "assistant" } ]
def x(i, pad_width=4, uppercase=True): result = hex(i)[2:] if uppercase: result = result.upper() return result.zfill(pad_width)
padded_hex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(i, pad_width=4, uppercase=True):\n result = hex(i)[2:]\n if uppercase:\n result = result.upper()\n return result.zfill(pad_width)\n", "role": "user" }, { "content": "padded_hex", "role": "assistant" } ]