source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(instr): out = {} if not instr: return out for link in [h.strip() for h in link_splitter.findall(instr)]: url, params = link.split('>', 1) url = url[1:] param_dict = {} for param in _splitstring(params, PARAMETER, '\\s*;\\s*'): try: a, v = param.split('=', 1) param_dict[a.lower()] = _unquotestring(v) except ValueError: param_dict[param.lower()] = None out[url] = param_dict return out
parse_link_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instr):\n out = {}\n if not instr:\n return out\n for link in [h.strip() for h in link_splitter.findall(instr)]:\n url, params = link.split('>', 1)\n url = url[1:]\n param_dict = {}\n for param in _splitstring(params, PARAMETER, '\\\\s*;\\\\s*'):\n try:\n a, v = param.split('=', 1)\n param_dict[a.lower()] = _unquotestring(v)\n except ValueError:\n param_dict[param.lower()] = None\n out[url] = param_dict\n return out\n", "role": "user" }, { "content": "parse_link_value", "role": "assistant" } ]
def x(input, representation, resolvers=None, get3d=False, tautomers=False, xml=True, **kwargs): if representation in FILE_FORMATS: kwargs['format'] = representation representation = 'file' if tautomers: input = 'tautomers:%s' % input url = '%s/%s/%s' % (API_BASE, quote(input), representation) if xml: url += '/xml' if resolvers: kwargs['resolver'] = ','.join(resolvers) if get3d: kwargs['get3d'] = True if kwargs: url += '?%s' % urlencode(kwargs) return url
construct_api_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input, representation, resolvers=None, get3d=False, tautomers=False,\n xml=True, **kwargs):\n if representation in FILE_FORMATS:\n kwargs['format'] = representation\n representation = 'file'\n if tautomers:\n input = 'tautomers:%s' % input\n url = '%s/%s/%s' % (API_BASE, quote(input), representation)\n if xml:\n url += '/xml'\n if resolvers:\n kwargs['resolver'] = ','.join(resolvers)\n if get3d:\n kwargs['get3d'] = True\n if kwargs:\n url += '?%s' % urlencode(kwargs)\n return url\n", "role": "user" }, { "content": "construct_api_url", "role": "assistant" } ]
def x(input, representation, resolvers=None, get3d=False, tautomers=False, **kwargs): url = construct_api_url(input, representation, resolvers, get3d, tautomers, **kwargs) log.debug('Making request: %s', url) response = urlopen(url) return etree.parse(response).getroot()
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input, representation, resolvers=None, get3d=False, tautomers=False,\n **kwargs):\n url = construct_api_url(input, representation, resolvers, get3d,\n tautomers, **kwargs)\n log.debug('Making request: %s', url)\n response = urlopen(url)\n return etree.parse(response).getroot()\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(input, representation, resolvers=None, get3d=False, tautomers=False, **kwargs): tree = request(input, representation, resolvers, get3d, tautomers, **kwargs ) results = [] for data in tree.findall('.//data'): value = [item.text for item in data.findall('item')] result = Result(input=tree.attrib['string'], representation=tree. attrib['representation'], resolver=data.attrib['resolver'], input_format=data.attrib['string_class'], notation=data.attrib[ 'notation'], value=value[0] if len(value) == 1 else value) results.append(result) log.debug('Received %s query results', len(results)) return results
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input, representation, resolvers=None, get3d=False, tautomers=False,\n **kwargs):\n tree = request(input, representation, resolvers, get3d, tautomers, **kwargs\n )\n results = []\n for data in tree.findall('.//data'):\n value = [item.text for item in data.findall('item')]\n result = Result(input=tree.attrib['string'], representation=tree.\n attrib['representation'], resolver=data.attrib['resolver'],\n input_format=data.attrib['string_class'], notation=data.attrib[\n 'notation'], value=value[0] if len(value) == 1 else value)\n results.append(result)\n log.debug('Received %s query results', len(results))\n return results\n", "role": "user" }, { "content": "query", "role": "assistant" } ]
def x(input, representation, resolvers=None, get3d=False, **kwargs): results = query(input, representation, resolvers, False, get3d, **kwargs) result = results[0].value if results else None return result
resolve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input, representation, resolvers=None, get3d=False, **kwargs):\n results = query(input, representation, resolvers, False, get3d, **kwargs)\n result = results[0].value if results else None\n return result\n", "role": "user" }, { "content": "resolve", "role": "assistant" } ]
def x(input, resolvers=None, fmt='png', width=300, height=300, frame=False, crop=None, bgcolor=None, atomcolor=None, hcolor=None, bondcolor=None, framecolor=None, symbolfontsize=11, linewidth=2, hsymbol='special', csymbol='special', stereolabels=False, stereowedges=True, header=None, footer=None, **kwargs): args, _, _, values = inspect.getargvalues(inspect.currentframe()) for arg in args: if values[arg] is not None: kwargs[arg] = values[arg] if kwargs.get('bgcolor') == 'transparent': kwargs['antialiasing'] = False if 'stereolabels' in kwargs: kwargs['showstereo'] = kwargs.pop('stereolabels') if 'fmt' in kwargs: kwargs['format'] = kwargs.pop('fmt') if 'stereowedges' in kwargs: status = kwargs.pop('stereowedges') kwargs.update({'wedges': status, 'dashes': status}) kwargs.update({'representation': 'image', 'xml': False}) url = construct_api_url(**kwargs) log.debug('Making image request: %s', url) response = urlopen(url) return response.read()
resolve_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input, resolvers=None, fmt='png', width=300, height=300, frame=False,\n crop=None, bgcolor=None, atomcolor=None, hcolor=None, bondcolor=None,\n framecolor=None, symbolfontsize=11, linewidth=2, hsymbol='special',\n csymbol='special', stereolabels=False, stereowedges=True, header=None,\n footer=None, **kwargs):\n args, _, _, values = inspect.getargvalues(inspect.currentframe())\n for arg in args:\n if values[arg] is not None:\n kwargs[arg] = values[arg]\n if kwargs.get('bgcolor') == 'transparent':\n kwargs['antialiasing'] = False\n if 'stereolabels' in kwargs:\n kwargs['showstereo'] = kwargs.pop('stereolabels')\n if 'fmt' in kwargs:\n kwargs['format'] = kwargs.pop('fmt')\n if 'stereowedges' in kwargs:\n status = kwargs.pop('stereowedges')\n kwargs.update({'wedges': status, 'dashes': status})\n kwargs.update({'representation': 'image', 'xml': False})\n url = construct_api_url(**kwargs)\n log.debug('Making image request: %s', url)\n response = urlopen(url)\n return response.read()\n", "role": "user" }, { "content": "resolve_image", "role": "assistant" } ]
def x(input, filename, representation, overwrite=False, resolvers=None, get3d=False, **kwargs): result = resolve(input, representation, resolvers, get3d, **kwargs) if not result: log.debug('No file to download.') return if not overwrite and os.path.isfile(filename): raise IOError( "%s already exists. Use 'overwrite=True' to overwrite it." % filename) if not result.endswith('\n'): result += '\n' with open(filename, 'w') as f: f.write(result)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input, filename, representation, overwrite=False, resolvers=None,\n get3d=False, **kwargs):\n result = resolve(input, representation, resolvers, get3d, **kwargs)\n if not result:\n log.debug('No file to download.')\n return\n if not overwrite and os.path.isfile(filename):\n raise IOError(\n \"%s already exists. Use 'overwrite=True' to overwrite it.\" %\n filename)\n if not result.endswith('\\n'):\n result += '\\n'\n with open(filename, 'w') as f:\n f.write(result)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self): return construct_api_url(self.input, 'image', self.resolvers, False, self.get3d, False, **self.kwargs)
image_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return construct_api_url(self.input, 'image', self.resolvers, False,\n self.get3d, False, **self.kwargs)\n", "role": "user" }, { "content": "image_url", "role": "assistant" } ]
def x(self): return construct_api_url(self.input, 'twirl', self.resolvers, False, self.get3d, False, **self.kwargs)
twirl_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return construct_api_url(self.input, 'twirl', self.resolvers, False,\n self.get3d, False, **self.kwargs)\n", "role": "user" }, { "content": "twirl_url", "role": "assistant" } ]
def x(self, filename, representation, overwrite=False): download(self.input, filename, representation, overwrite, self. resolvers, self.get3d, **self.kwargs)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, representation, overwrite=False):\n download(self.input, filename, representation, overwrite, self.\n resolvers, self.get3d, **self.kwargs)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self, *msgs): if 'logger' in self.options: self.options['logger'](msgs) else: print(msgs)
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *msgs):\n if 'logger' in self.options:\n self.options['logger'](msgs)\n else:\n print(msgs)\n", "role": "user" }, { "content": "log", "role": "assistant" } ]
def x(self, loaded, total, msg=''): self.fire('progress', {'loaded': loaded, 'total': total, 'msg': msg})
progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loaded, total, msg=''):\n self.fire('progress', {'loaded': loaded, 'total': total, 'msg': msg})\n", "role": "user" }, { "content": "progress", "role": "assistant" } ]
def x(self, tag, raw, metadata): raw = base64.b64encode(raw) return {'type': 'raw', 'tag': tag, 'raw': raw, 'metadata': metadata}
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag, raw, metadata):\n raw = base64.b64encode(raw)\n return {'type': 'raw', 'tag': tag, 'raw': raw, 'metadata': metadata}\n", "role": "user" }, { "content": "raw", "role": "assistant" } ]
def x(first, second, msg=None): first = _re.sub('\\s+', ' ', first.strip()) second = _re.sub('\\s+', ' ', second.strip()) if first != second: raise AssertionError(msg or '%r does not look like %r' % (first, second))
assert_looks_like
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(first, second, msg=None):\n first = _re.sub('\\\\s+', ' ', first.strip())\n second = _re.sub('\\\\s+', ' ', second.strip())\n if first != second:\n raise AssertionError(msg or '%r does not look like %r' % (first,\n second))\n", "role": "user" }, { "content": "assert_looks_like", "role": "assistant" } ]
def x(fname, language): fname = os.path.abspath(fname) feat = parse_file(fname, language) return feat
load_feature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname, language):\n fname = os.path.abspath(fname)\n feat = parse_file(fname, language)\n return feat\n", "role": "user" }, { "content": "load_feature", "role": "assistant" } ]
def x(spec, language='en'): fr = inspect.currentframe() while fr: if 'self' in fr.f_locals: f_self = fr.f_locals['self'] if isinstance(f_self, StepsRunner): return f_self.run_steps_from_string(spec, language) fr = fr.f_back
run_steps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, language='en'):\n fr = inspect.currentframe()\n while fr:\n if 'self' in fr.f_locals:\n f_self = fr.f_locals['self']\n if isinstance(f_self, StepsRunner):\n return f_self.run_steps_from_string(spec, language)\n fr = fr.f_back\n", "role": "user" }, { "content": "run_steps", "role": "assistant" } ]
def x(self, spec, language_name='en'): caller = inspect.currentframe().f_back line = caller.f_lineno - 1 fname = caller.f_code.co_filename steps = parse_steps(spec, fname, line, load_language(language_name)) for s in steps: self.run_step(s)
run_steps_from_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec, language_name='en'):\n caller = inspect.currentframe().f_back\n line = caller.f_lineno - 1\n fname = caller.f_code.co_filename\n steps = parse_steps(spec, fname, line, load_language(language_name))\n for s in steps:\n self.run_step(s)\n", "role": "user" }, { "content": "run_steps_from_string", "role": "assistant" } ]
def x(self, key): if self.default_mappings is not None and key not in self.mappings: return self.default_mappings[key].encode('utf').split('|') else: return self.mappings[key].encode('utf').split('|')
words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if self.default_mappings is not None and key not in self.mappings:\n return self.default_mappings[key].encode('utf').split('|')\n else:\n return self.mappings[key].encode('utf').split('|')\n", "role": "user" }, { "content": "words", "role": "assistant" } ]
def x(): scc.state = 'executing' def x(result): scc.state = result return 'some event result' deferred = Deferred() reactor.callLater(1, deferred.callback, 'done') deferred.addCallback(async_event) return deferred
simulate_async_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n scc.state = 'executing'\n\n def x(result):\n scc.state = result\n return 'some event result'\n deferred = Deferred()\n reactor.callLater(1, deferred.callback, 'done')\n deferred.addCallback(async_event)\n return deferred\n", "role": "user" }, { "content": "simulate_async_event", "role": "assistant" } ]
def x(cb_type): def x(*tags_or_func): if len(tags_or_func) == 1 and callable(tags_or_func[0]): func = tags_or_func[0] return HookImpl(cb_type, func) else: tags = tags_or_func def x(func): return HookImpl(cb_type, func, tags) return d return decorator_wrapper
hook_decorator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cb_type):\n\n def x(*tags_or_func):\n if len(tags_or_func) == 1 and callable(tags_or_func[0]):\n func = tags_or_func[0]\n return HookImpl(cb_type, func)\n else:\n tags = tags_or_func\n\n def x(func):\n return HookImpl(cb_type, func, tags)\n return d\n return decorator_wrapper\n", "role": "user" }, { "content": "hook_decorator", "role": "assistant" } ]
def x(self, registry, path, module_names=None): if not module_names: module_names = ['steps'] path = os.path.abspath(path) for module_name in module_names: mod = self.modules.get((path, module_name)) if mod is None: cwd = os.getcwd() if cwd not in sys.path: sys.path.append(cwd) try: actual_module_name = os.path.basename(module_name) complete_path = os.path.join(path, os.path.dirname(module_name) ) info = imp.find_module(actual_module_name, [complete_path]) except ImportError: return try: mod = imp.load_module('stepdefs_' + str(self.module_counter ), *info) except: exc = sys.exc_info() raise StepImplLoadException(exc) self.module_counter += 1 self.modules[path, module_name] = mod for item_name in dir(mod): item = getattr(mod, item_name) if isinstance(item, StepImpl): registry.add_step(item.step_type, item) elif isinstance(item, HookImpl): registry.add_hook(item.cb_type, item) elif isinstance(item, NamedTransformImpl): registry.add_named_transform(item) elif isinstance(item, TransformImpl): registry.add_transform(item)
load_steps_impl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, registry, path, module_names=None):\n if not module_names:\n module_names = ['steps']\n path = os.path.abspath(path)\n for module_name in module_names:\n mod = self.modules.get((path, module_name))\n if mod is None:\n cwd = os.getcwd()\n if cwd not in sys.path:\n sys.path.append(cwd)\n try:\n actual_module_name = os.path.basename(module_name)\n complete_path = os.path.join(path, os.path.dirname(module_name)\n )\n info = imp.find_module(actual_module_name, [complete_path])\n except ImportError:\n return\n try:\n mod = imp.load_module('stepdefs_' + str(self.module_counter\n ), *info)\n except:\n exc = sys.exc_info()\n raise StepImplLoadException(exc)\n self.module_counter += 1\n self.modules[path, module_name] = mod\n for item_name in dir(mod):\n item = getattr(mod, item_name)\n if isinstance(item, StepImpl):\n registry.add_step(item.step_type, item)\n elif isinstance(item, HookImpl):\n registry.add_hook(item.cb_type, item)\n elif isinstance(item, NamedTransformImpl):\n registry.add_named_transform(item)\n elif isinstance(item, TransformImpl):\n registry.add_transform(item)\n", "role": "user" }, { "content": "load_steps_impl", "role": "assistant" } ]
def x(self, step): result = None for si in self.steps[step.step_type]: matches = si.match(step.match) if matches: if result: raise AmbiguousStepImpl(step, result[0], si) args = [self._apply_transforms(arg, si) for arg in matches.groups() ] result = si, args if not result: raise UndefinedStepImpl(step) return result
find_step_impl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, step):\n result = None\n for si in self.steps[step.step_type]:\n matches = si.match(step.match)\n if matches:\n if result:\n raise AmbiguousStepImpl(step, result[0], si)\n args = [self._apply_transforms(arg, si) for arg in matches.groups()\n ]\n result = si, args\n if not result:\n raise UndefinedStepImpl(step)\n return result\n", "role": "user" }, { "content": "find_step_impl", "role": "assistant" } ]
def x(cmd): child = subprocess.Popen(cmd, shell=True, stderr=subprocess.PIPE, stdin =subprocess.PIPE, stdout=subprocess.PIPE) out = [s.decode('utf-8').strip() for s in child.stdout] err = [s.decode('utf-8').strip() for s in child.stderr] w = child.wait() return os.WEXITSTATUS(w), out, err
run_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd):\n child = subprocess.Popen(cmd, shell=True, stderr=subprocess.PIPE, stdin\n =subprocess.PIPE, stdout=subprocess.PIPE)\n out = [s.decode('utf-8').strip() for s in child.stdout]\n err = [s.decode('utf-8').strip() for s in child.stderr]\n w = child.wait()\n return os.WEXITSTATUS(w), out, err\n", "role": "user" }, { "content": "run_command", "role": "assistant" } ]
def x(filters): filter_list = [] filter_ids = [] for f in filters: filter_ids.append(f.index) fullname = URL_P.sub('`<\\1>`_', f.fullname) filter_list.append((str(f.index + 1), f.name, '{0:.2f}'.format(f. msun_vega), '{0:.2f}'.format(f.msun_ab), '{0:.1f}'.format(f. lambda_eff), fullname)) sortf = lambda item: int(item[0]) filter_list.sort(key=sortf) return filter_list
make_filter_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filters):\n filter_list = []\n filter_ids = []\n for f in filters:\n filter_ids.append(f.index)\n fullname = URL_P.sub('`<\\\\1>`_', f.fullname)\n filter_list.append((str(f.index + 1), f.name, '{0:.2f}'.format(f.\n msun_vega), '{0:.2f}'.format(f.msun_ab), '{0:.1f}'.format(f.\n lambda_eff), fullname))\n sortf = lambda item: int(item[0])\n filter_list.sort(key=sortf)\n return filter_list\n", "role": "user" }, { "content": "make_filter_list", "role": "assistant" } ]
def x(data, col_names): n_cols = len(data[0]) assert n_cols == len(col_names) col_sizes = [max(len(r[i]) for r in data) for i in range(n_cols)] for i, cname in enumerate(col_names): if col_sizes[i] < len(cname): col_sizes[i] = len(cname) formatter = ' '.join('{:<%d}' % c for c in col_sizes) rows = '\n'.join([formatter.format(*row) for row in data]) header = formatter.format(*col_names) divider = formatter.format(*[('=' * c) for c in col_sizes]) output = '\n'.join((divider, header, divider, rows, divider)) return output
make_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, col_names):\n n_cols = len(data[0])\n assert n_cols == len(col_names)\n col_sizes = [max(len(r[i]) for r in data) for i in range(n_cols)]\n for i, cname in enumerate(col_names):\n if col_sizes[i] < len(cname):\n col_sizes[i] = len(cname)\n formatter = ' '.join('{:<%d}' % c for c in col_sizes)\n rows = '\\n'.join([formatter.format(*row) for row in data])\n header = formatter.format(*col_names)\n divider = formatter.format(*[('=' * c) for c in col_sizes])\n output = '\\n'.join((divider, header, divider, rows, divider))\n return output\n", "role": "user" }, { "content": "make_table", "role": "assistant" } ]
def x(inputs: [str], output: str, delete: bool=False): writer = PdfFileWriter() if os.path.isfile(output): ans = input( "The file '%s' already exists. Overwrite? Yes/Abort [Y/a]: " % output).lower() if ans == 'a': return outputfile = open(output, 'wb') try: infiles = [] for filename in inputs: f = open(filename, 'rb') reader = PdfFileReader(f) for page in reader.pages: writer.addPage(page) infiles.append(f) writer.write(outputfile) except FileNotFoundError as e: print(e.strerror + ': ' + e.filename) finally: outputfile.close() for f in infiles: f.close() if delete: for filename in inputs: os.remove(filename)
pdf_merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputs: [str], output: str, delete: bool=False):\n writer = PdfFileWriter()\n if os.path.isfile(output):\n ans = input(\n \"The file '%s' already exists. Overwrite? Yes/Abort [Y/a]: \" %\n output).lower()\n if ans == 'a':\n return\n outputfile = open(output, 'wb')\n try:\n infiles = []\n for filename in inputs:\n f = open(filename, 'rb')\n reader = PdfFileReader(f)\n for page in reader.pages:\n writer.addPage(page)\n infiles.append(f)\n writer.write(outputfile)\n except FileNotFoundError as e:\n print(e.strerror + ': ' + e.filename)\n finally:\n outputfile.close()\n for f in infiles:\n f.close()\n if delete:\n for filename in inputs:\n os.remove(filename)\n", "role": "user" }, { "content": "pdf_merge", "role": "assistant" } ]
def x(input: str, counter_clockwise: bool=False, pages: [str]=None, output: str=None): infile = open(input, 'rb') reader = PdfFileReader(infile) writer = PdfFileWriter() if pages is None: source_pages = reader.pages else: pages = parse_rangearg(pages, len(reader.pages)) source_pages = [reader.getPage(i) for i in pages] for i, page in enumerate(source_pages): if pages is None or i in pages: if counter_clockwise: writer.addPage(page.rotateCounterClockwise(90)) else: writer.addPage(page.rotateClockwise(90)) else: writer.addPage(page) if output is None: outfile = NamedTemporaryFile(delete=False) elif not os.path.isfile(output) or overwrite_dlg(output): outfile = open(output, 'wb') else: return writer.write(outfile) infile.close() outfile.close() if output is None: if overwrite_dlg(input): os.remove(input) move(outfile.name, input) else: os.remove(outfile.name)
pdf_rotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input: str, counter_clockwise: bool=False, pages: [str]=None, output:\n str=None):\n infile = open(input, 'rb')\n reader = PdfFileReader(infile)\n writer = PdfFileWriter()\n if pages is None:\n source_pages = reader.pages\n else:\n pages = parse_rangearg(pages, len(reader.pages))\n source_pages = [reader.getPage(i) for i in pages]\n for i, page in enumerate(source_pages):\n if pages is None or i in pages:\n if counter_clockwise:\n writer.addPage(page.rotateCounterClockwise(90))\n else:\n writer.addPage(page.rotateClockwise(90))\n else:\n writer.addPage(page)\n if output is None:\n outfile = NamedTemporaryFile(delete=False)\n elif not os.path.isfile(output) or overwrite_dlg(output):\n outfile = open(output, 'wb')\n else:\n return\n writer.write(outfile)\n infile.close()\n outfile.close()\n if output is None:\n if overwrite_dlg(input):\n os.remove(input)\n move(outfile.name, input)\n else:\n os.remove(outfile.name)\n", "role": "user" }, { "content": "pdf_rotate", "role": "assistant" } ]
def x(input: str, output: str, pages: [int], yes_to_all=False): if not os.path.isfile(input): print("Error. The file '%s' does not exist." % input) return if os.path.isfile(output) and not yes_to_all and not overwrite_dlg(output): return with open(input, 'rb') as inputfile: reader = PdfFileReader(inputfile) outputfile = open(output, 'wb') writer = PdfFileWriter() if pages is None: pages = range(len(reader.pages)) else: pages = parse_rangearg(pages, len(reader.pages)) for pagenr in sorted(pages): page = reader.getPage(pagenr) writer.addPage(page) writer.write(outputfile) outputfile.close()
pdf_copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input: str, output: str, pages: [int], yes_to_all=False):\n if not os.path.isfile(input):\n print(\"Error. The file '%s' does not exist.\" % input)\n return\n if os.path.isfile(output) and not yes_to_all and not overwrite_dlg(output):\n return\n with open(input, 'rb') as inputfile:\n reader = PdfFileReader(inputfile)\n outputfile = open(output, 'wb')\n writer = PdfFileWriter()\n if pages is None:\n pages = range(len(reader.pages))\n else:\n pages = parse_rangearg(pages, len(reader.pages))\n for pagenr in sorted(pages):\n page = reader.getPage(pagenr)\n writer.addPage(page)\n writer.write(outputfile)\n outputfile.close()\n", "role": "user" }, { "content": "pdf_copy", "role": "assistant" } ]
def x(input: str, output: str, stepsize: int=1, sequence: [int]=None): output = output or os.path.splitext(input)[0] if not os.path.isfile(input): print("Error. The file '%s' does not exist." % input) return with open(input, 'rb') as inputfile: reader = PdfFileReader(inputfile) pagenr = 0 outputfile = None if sequence is None: for i, page in enumerate(reader.pages): if not i % stepsize: pagenr += 1 outputfile = open(output + '_%i.pdf' % pagenr, 'wb') writer = PdfFileWriter() writer.addPage(page) if not (i + 1) % stepsize: writer.write(outputfile) outputfile.close() else: sequence = map(int, sequence) iter_pages = iter(reader.pages) for filenr, pagecount in enumerate(sequence): with open(output + '_%i.pdf' % (filenr + 1), 'wb' ) as outputfile: writer = PdfFileWriter() for i in range(pagecount): try: page = next(iter_pages) writer.addPage(page) except StopIteration: writer.write(outputfile) return writer.write(outputfile) if not outputfile.closed: writer.write(outputfile) outputfile.close()
pdf_split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input: str, output: str, stepsize: int=1, sequence: [int]=None):\n output = output or os.path.splitext(input)[0]\n if not os.path.isfile(input):\n print(\"Error. The file '%s' does not exist.\" % input)\n return\n with open(input, 'rb') as inputfile:\n reader = PdfFileReader(inputfile)\n pagenr = 0\n outputfile = None\n if sequence is None:\n for i, page in enumerate(reader.pages):\n if not i % stepsize:\n pagenr += 1\n outputfile = open(output + '_%i.pdf' % pagenr, 'wb')\n writer = PdfFileWriter()\n writer.addPage(page)\n if not (i + 1) % stepsize:\n writer.write(outputfile)\n outputfile.close()\n else:\n sequence = map(int, sequence)\n iter_pages = iter(reader.pages)\n for filenr, pagecount in enumerate(sequence):\n with open(output + '_%i.pdf' % (filenr + 1), 'wb'\n ) as outputfile:\n writer = PdfFileWriter()\n for i in range(pagecount):\n try:\n page = next(iter_pages)\n writer.addPage(page)\n except StopIteration:\n writer.write(outputfile)\n return\n writer.write(outputfile)\n if not outputfile.closed:\n writer.write(outputfile)\n outputfile.close()\n", "role": "user" }, { "content": "pdf_split", "role": "assistant" } ]
def x(input1: str, input2: str, output: str, delete: bool=False, revert: bool=False): if os.path.isfile(output): ans = input( "The file '%s' already exists. Overwrite? Yes/Abort [Y/a]: " % output).lower() if ans not in ['y', '']: return outputfile = open(output, 'wb') try: f1, f2 = open(input1, 'rb'), open(input2, 'rb') r1, r2 = PdfFileReader(f1), PdfFileReader(f2) writer = PdfFileWriter() pages1 = [page for page in r1.pages] pages2 = [page for page in r2.pages] if not revert: for p1, p2 in zip(pages1, pages2): writer.addPage(p1) writer.addPage(p2) else: for p1, p2 in zip(pages1, reversed(pages2)): writer.addPage(p1) writer.addPage(p2) writer.write(outputfile) f1.close() f2.close() except FileNotFoundError as e: print(e.strerror + ': ' + e.filename) finally: outputfile.close() if delete: os.remove(input1) os.remove(input2)
pdf_zip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input1: str, input2: str, output: str, delete: bool=False, revert:\n bool=False):\n if os.path.isfile(output):\n ans = input(\n \"The file '%s' already exists. Overwrite? Yes/Abort [Y/a]: \" %\n output).lower()\n if ans not in ['y', '']:\n return\n outputfile = open(output, 'wb')\n try:\n f1, f2 = open(input1, 'rb'), open(input2, 'rb')\n r1, r2 = PdfFileReader(f1), PdfFileReader(f2)\n writer = PdfFileWriter()\n pages1 = [page for page in r1.pages]\n pages2 = [page for page in r2.pages]\n if not revert:\n for p1, p2 in zip(pages1, pages2):\n writer.addPage(p1)\n writer.addPage(p2)\n else:\n for p1, p2 in zip(pages1, reversed(pages2)):\n writer.addPage(p1)\n writer.addPage(p2)\n writer.write(outputfile)\n f1.close()\n f2.close()\n except FileNotFoundError as e:\n print(e.strerror + ': ' + e.filename)\n finally:\n outputfile.close()\n if delete:\n os.remove(input1)\n os.remove(input2)\n", "role": "user" }, { "content": "pdf_zip", "role": "assistant" } ]
def x(dest: str, source: str, pages: [str]=None, index: int=None, output: str=None): if output is not None and os.path.isfile(output): ans = input( "The file '%s' already exists. Overwrite? Yes/Abort [Y/a]: " % output).lower() if ans not in ['y', '']: return writer = PdfFileWriter() destfile = open(dest, 'rb') destreader = PdfFileReader(destfile) for page in destreader.pages: writer.addPage(page) srcfile = open(source, 'rb') srcreader = PdfFileReader(srcfile) index = limit(index - 1, 0, len(destreader.pages)) if pages is None: for i, page in enumerate(srcreader.pages): if index is None: writer.addPage(page) else: writer.insertPage(page, index + i) else: pages = parse_rangearg(pages, len(srcreader.pages)) for i, pagenr in enumerate(pages): page = srcreader.getPage(pagenr) if index is None: writer.addPage(page) else: writer.insertPage(page, index + i) if output is None: ans = input("Overwrite the file '%s'? Yes/Abort [Y/a]: " % dest).lower( ) if ans in ['y', '']: tempfile = NamedTemporaryFile(delete=False) writer.write(tempfile) tempfile.close() move(tempfile.name, dest) else: with open(output, 'wb') as outfile: writer.write(outfile) destfile.close() srcfile.close()
pdf_insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dest: str, source: str, pages: [str]=None, index: int=None, output:\n str=None):\n if output is not None and os.path.isfile(output):\n ans = input(\n \"The file '%s' already exists. Overwrite? Yes/Abort [Y/a]: \" %\n output).lower()\n if ans not in ['y', '']:\n return\n writer = PdfFileWriter()\n destfile = open(dest, 'rb')\n destreader = PdfFileReader(destfile)\n for page in destreader.pages:\n writer.addPage(page)\n srcfile = open(source, 'rb')\n srcreader = PdfFileReader(srcfile)\n index = limit(index - 1, 0, len(destreader.pages))\n if pages is None:\n for i, page in enumerate(srcreader.pages):\n if index is None:\n writer.addPage(page)\n else:\n writer.insertPage(page, index + i)\n else:\n pages = parse_rangearg(pages, len(srcreader.pages))\n for i, pagenr in enumerate(pages):\n page = srcreader.getPage(pagenr)\n if index is None:\n writer.addPage(page)\n else:\n writer.insertPage(page, index + i)\n if output is None:\n ans = input(\"Overwrite the file '%s'? Yes/Abort [Y/a]: \" % dest).lower(\n )\n if ans in ['y', '']:\n tempfile = NamedTemporaryFile(delete=False)\n writer.write(tempfile)\n tempfile.close()\n move(tempfile.name, dest)\n else:\n with open(output, 'wb') as outfile:\n writer.write(outfile)\n destfile.close()\n srcfile.close()\n", "role": "user" }, { "content": "pdf_insert", "role": "assistant" } ]
def x(source: str, pages: [str], output: str=None): if output is not None and os.path.isfile(output): if overwrite_dlg(output) is False: return writer = PdfFileWriter() srcfile = open(source, 'rb') srcreader = PdfFileReader(srcfile) pages = parse_rangearg(pages, len(srcreader.pages)) for pagenr, page in enumerate(srcreader.pages): if pagenr not in pages: writer.addPage(page) if output is None: outfile = NamedTemporaryFile(delete=False) else: outfile = open(output, 'wb') writer.write(outfile) srcfile.close() outfile.close() if output is None: if overwrite_dlg(source): os.remove(source) move(outfile.name, source) else: os.remove(outfile)
pdf_remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source: str, pages: [str], output: str=None):\n if output is not None and os.path.isfile(output):\n if overwrite_dlg(output) is False:\n return\n writer = PdfFileWriter()\n srcfile = open(source, 'rb')\n srcreader = PdfFileReader(srcfile)\n pages = parse_rangearg(pages, len(srcreader.pages))\n for pagenr, page in enumerate(srcreader.pages):\n if pagenr not in pages:\n writer.addPage(page)\n if output is None:\n outfile = NamedTemporaryFile(delete=False)\n else:\n outfile = open(output, 'wb')\n writer.write(outfile)\n srcfile.close()\n outfile.close()\n if output is None:\n if overwrite_dlg(source):\n os.remove(source)\n move(outfile.name, source)\n else:\n os.remove(outfile)\n", "role": "user" }, { "content": "pdf_remove", "role": "assistant" } ]
def x(dest: str, source: str, pages: [str], output: str): if output is not None and os.path.isfile(output): if not overwrite_dlg(output): return writer = PdfFileWriter() destfile = open(dest, 'rb') destreader = PdfFileReader(destfile) for page in destreader.pages: writer.addPage(page) srcfile = open(source, 'rb') srcreader = PdfFileReader(srcfile) if pages is None: for i, page in enumerate(srcreader.pages): writer.addPage(page) else: pages = parse_rangearg(pages, len(srcreader.pages)) for pagenr in pages: page = srcreader.getPage(pagenr) writer.addPage(page) if output is None: if overwrite_dlg(dest): tempfile = NamedTemporaryFile(delete=False) writer.write(tempfile) tempfile.close() destfile.close() srcfile.close() os.remove(dest) move(tempfile.name, dest) else: with open(output, 'wb') as outfile: writer.write(outfile) destfile.close() srcfile.close()
pdf_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dest: str, source: str, pages: [str], output: str):\n if output is not None and os.path.isfile(output):\n if not overwrite_dlg(output):\n return\n writer = PdfFileWriter()\n destfile = open(dest, 'rb')\n destreader = PdfFileReader(destfile)\n for page in destreader.pages:\n writer.addPage(page)\n srcfile = open(source, 'rb')\n srcreader = PdfFileReader(srcfile)\n if pages is None:\n for i, page in enumerate(srcreader.pages):\n writer.addPage(page)\n else:\n pages = parse_rangearg(pages, len(srcreader.pages))\n for pagenr in pages:\n page = srcreader.getPage(pagenr)\n writer.addPage(page)\n if output is None:\n if overwrite_dlg(dest):\n tempfile = NamedTemporaryFile(delete=False)\n writer.write(tempfile)\n tempfile.close()\n destfile.close()\n srcfile.close()\n os.remove(dest)\n move(tempfile.name, dest)\n else:\n with open(output, 'wb') as outfile:\n writer.write(outfile)\n destfile.close()\n srcfile.close()\n", "role": "user" }, { "content": "pdf_add", "role": "assistant" } ]
def x(): with open('pdftools/__init__.py', 'r') as f: content = f.read() version_match = _version_re.search(content) version = str(ast.literal_eval(version_match.group(1))) return version
extract_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with open('pdftools/__init__.py', 'r') as f:\n content = f.read()\n version_match = _version_re.search(content)\n version = str(ast.literal_eval(version_match.group(1)))\n return version\n", "role": "user" }, { "content": "extract_version", "role": "assistant" } ]
def x(parser, groups=('pypiper',), args=None, required=None, all_args=False): args_to_add = _determine_args(argument_groups=groups, arguments=args, use_all_args=all_args) parser = _add_args(parser, args_to_add, required) return parser
add_pypiper_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, groups=('pypiper',), args=None, required=None, all_args=False):\n args_to_add = _determine_args(argument_groups=groups, arguments=args,\n use_all_args=all_args)\n parser = _add_args(parser, args_to_add, required)\n return parser\n", "role": "user" }, { "content": "add_pypiper_args", "role": "assistant" } ]
def x(chunks): if not chunks: raise ValueError('No command parts: {} ({})'.format(chunks, type( chunks))) if isinstance(chunks, str): return chunks parsed_pieces = [] for cmd_part in chunks: if cmd_part is None: continue try: parsed_pieces.append(cmd_part.strip(' ')) except AttributeError: option, argument = cmd_part if argument is None or argument == '': continue option, argument = option.strip(' '), str(argument).strip(' ') parsed_pieces.append('{} {}'.format(option, argument)) return ' '.join(parsed_pieces)
build_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(chunks):\n if not chunks:\n raise ValueError('No command parts: {} ({})'.format(chunks, type(\n chunks)))\n if isinstance(chunks, str):\n return chunks\n parsed_pieces = []\n for cmd_part in chunks:\n if cmd_part is None:\n continue\n try:\n parsed_pieces.append(cmd_part.strip(' '))\n except AttributeError:\n option, argument = cmd_part\n if argument is None or argument == '':\n continue\n option, argument = option.strip(' '), str(argument).strip(' ')\n parsed_pieces.append('{} {}'.format(option, argument))\n return ' '.join(parsed_pieces)\n", "role": "user" }, { "content": "build_command", "role": "assistant" } ]
def x(sample): for path_name, path in sample.paths.items(): print("{}: '{}'".format(path_name, path)) base, ext = os.path.splitext(path) if ext: print("Skipping file-like: '[}'".format(path)) elif not os.path.isdir(base): os.makedirs(base)
build_sample_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sample):\n for path_name, path in sample.paths.items():\n print(\"{}: '{}'\".format(path_name, path))\n base, ext = os.path.splitext(path)\n if ext:\n print(\"Skipping file-like: '[}'\".format(path))\n elif not os.path.isdir(base):\n os.makedirs(base)\n", "role": "user" }, { "content": "build_sample_paths", "role": "assistant" } ]
def x(checkpoint, pipeline_name=None): try: base = checkpoint.checkpoint_name except AttributeError: base = translate_stage_name(checkpoint) if pipeline_name: base = '{}{}{}'.format(pipeline_name, PIPELINE_CHECKPOINT_DELIMITER, base) return base + CHECKPOINT_EXTENSION
checkpoint_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(checkpoint, pipeline_name=None):\n try:\n base = checkpoint.checkpoint_name\n except AttributeError:\n base = translate_stage_name(checkpoint)\n if pipeline_name:\n base = '{}{}{}'.format(pipeline_name, PIPELINE_CHECKPOINT_DELIMITER,\n base)\n return base + CHECKPOINT_EXTENSION\n", "role": "user" }, { "content": "checkpoint_filename", "role": "assistant" } ]
def x(checkpoint, pm): if isinstance(checkpoint, str): if os.path.isabs(checkpoint): if is_in_file_tree(checkpoint, pm.outfolder): return checkpoint else: raise ValueError( "Absolute checkpoint path '{}' is not in pipeline output folder '{}'" .format(checkpoint, pm.outfolder)) _, ext = os.path.splitext(checkpoint) if ext == CHECKPOINT_EXTENSION: return pipeline_filepath(pm, filename=checkpoint) try: pm = pm.manager except AttributeError: pass chkpt_name = checkpoint_filename(checkpoint, pipeline_name=pm.name) return pipeline_filepath(pm, filename=chkpt_name)
checkpoint_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(checkpoint, pm):\n if isinstance(checkpoint, str):\n if os.path.isabs(checkpoint):\n if is_in_file_tree(checkpoint, pm.outfolder):\n return checkpoint\n else:\n raise ValueError(\n \"Absolute checkpoint path '{}' is not in pipeline output folder '{}'\"\n .format(checkpoint, pm.outfolder))\n _, ext = os.path.splitext(checkpoint)\n if ext == CHECKPOINT_EXTENSION:\n return pipeline_filepath(pm, filename=checkpoint)\n try:\n pm = pm.manager\n except AttributeError:\n pass\n chkpt_name = checkpoint_filename(checkpoint, pipeline_name=pm.name)\n return pipeline_filepath(pm, filename=chkpt_name)\n", "role": "user" }, { "content": "checkpoint_filepath", "role": "assistant" } ]
def x(cmd, shell=None): if isinstance(shell, bool): return shell return '|' in cmd or '>' in cmd or '*' in cmd
check_shell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd, shell=None):\n if isinstance(shell, bool):\n return shell\n return '|' in cmd or '>' in cmd or '*' in cmd\n", "role": "user" }, { "content": "check_shell", "role": "assistant" } ]
def x(cmd): curly_brackets = True while curly_brackets: SRE_match_obj = re.search('\\{(.*?)}', cmd) if SRE_match_obj is not None: cmd = cmd[:SRE_match_obj.start()] + cmd[SRE_match_obj.end() + 1:] if re.search('\\{(.*?)}', cmd) is None: curly_brackets = False else: curly_brackets = False return '>' in cmd
check_shell_redirection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd):\n curly_brackets = True\n while curly_brackets:\n SRE_match_obj = re.search('\\\\{(.*?)}', cmd)\n if SRE_match_obj is not None:\n cmd = cmd[:SRE_match_obj.start()] + cmd[SRE_match_obj.end() + 1:]\n if re.search('\\\\{(.*?)}', cmd) is None:\n curly_brackets = False\n else:\n curly_brackets = False\n return '>' in cmd\n", "role": "user" }, { "content": "check_shell_redirection", "role": "assistant" } ]
def x(cmd): if isinstance(cmd, Iterable) and not isinstance(cmd, str): cmd = ' '.join(cmd) return cmd.split()[0].replace('(', '').replace(')', '')
get_proc_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd):\n if isinstance(cmd, Iterable) and not isinstance(cmd, str):\n cmd = ' '.join(cmd)\n return cmd.split()[0].replace('(', '').replace(')', '')\n", "role": "user" }, { "content": "get_proc_name", "role": "assistant" } ]
def x(param, param_pools, on_missing=None, error=True): for pool in param_pools: if param in pool: return pool[param] if error and on_missing is None: raise KeyError("Unmapped parameter: '{}'".format(param)) try: return on_missing(param) except TypeError: if hasattr(on_missing, '__call__'): raise TypeError( 'Any callable passed as the action to take when a requested parameter is missing should accept that parameter and return a value.' ) return on_missing
get_first_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(param, param_pools, on_missing=None, error=True):\n for pool in param_pools:\n if param in pool:\n return pool[param]\n if error and on_missing is None:\n raise KeyError(\"Unmapped parameter: '{}'\".format(param))\n try:\n return on_missing(param)\n except TypeError:\n if hasattr(on_missing, '__call__'):\n raise TypeError(\n 'Any callable passed as the action to take when a requested parameter is missing should accept that parameter and return a value.'\n )\n return on_missing\n", "role": "user" }, { "content": "get_first_value", "role": "assistant" } ]
def x(fpath, folder): file_folder, _ = os.path.split(fpath) other_folder = os.path.join(folder, '') return other_folder.startswith(file_folder)
is_in_file_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fpath, folder):\n file_folder, _ = os.path.split(fpath)\n other_folder = os.path.join(folder, '')\n return other_folder.startswith(file_folder)\n", "role": "user" }, { "content": "is_in_file_tree", "role": "assistant" } ]
def x(file_name): _, ext = os.path.splitext(file_name) return file_name.endswith('.fastq.gz') or file_name.endswith('.fq.gz')
is_gzipped_fastq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_name):\n _, ext = os.path.splitext(file_name)\n return file_name.endswith('.fastq.gz') or file_name.endswith('.fq.gz')\n", "role": "user" }, { "content": "is_gzipped_fastq", "role": "assistant" } ]
def x(original_path, path_base_folder): def x(p): return p.replace(path_base_folder, '').replace(os.sep, '__') if isinstance(original_path, str): return make_name(original_path) elif isinstance(original_path, Sequence): return [make_name(p) for p in original_path] raise TypeError('Neither string nor other sequence type: {} ({})'. format(original_path, type(original_path)))
make_lock_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(original_path, path_base_folder):\n\n def x(p):\n return p.replace(path_base_folder, '').replace(os.sep, '__')\n if isinstance(original_path, str):\n return make_name(original_path)\n elif isinstance(original_path, Sequence):\n return [make_name(p) for p in original_path]\n raise TypeError('Neither string nor other sequence type: {} ({})'.\n format(original_path, type(original_path)))\n", "role": "user" }, { "content": "make_lock_name", "role": "assistant" } ]
def x(target): if target is None or isinstance(target, str): return False elif isinstance(target, Sequence): return len(target) > 1 else: raise TypeError('Could not interpret argument as a target: {} ({})' .format(target, type(target)))
is_multi_target
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target):\n if target is None or isinstance(target, str):\n return False\n elif isinstance(target, Sequence):\n return len(target) > 1\n else:\n raise TypeError('Could not interpret argument as a target: {} ({})'\n .format(target, type(target)))\n", "role": "user" }, { "content": "is_multi_target", "role": "assistant" } ]
def x(cores, pm, default): cores = cores or getattr(pm, 'cores', default) return int(cores)
parse_cores
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cores, pm, default):\n cores = cores or getattr(pm, 'cores', default)\n return int(cores)\n", "role": "user" }, { "content": "parse_cores", "role": "assistant" } ]
def x(stage): if isinstance(stage, str): return stage try: return stage.name except AttributeError: try: return stage.__name__ except AttributeError: raise TypeError('Unsupported stage type: {}'.format(type(stage)))
parse_stage_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stage):\n if isinstance(stage, str):\n return stage\n try:\n return stage.name\n except AttributeError:\n try:\n return stage.__name__\n except AttributeError:\n raise TypeError('Unsupported stage type: {}'.format(type(stage)))\n", "role": "user" }, { "content": "parse_stage_name", "role": "assistant" } ]
def x(pm, filename=None, suffix=None): if filename is None and suffix is None: raise TypeError( 'Provide filename and/or suffix to create path to a pipeline file.' ) filename = (filename or pm.name) + (suffix or '') return filename if os.path.isabs(filename) else os.path.join(pm. outfolder, filename)
pipeline_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pm, filename=None, suffix=None):\n if filename is None and suffix is None:\n raise TypeError(\n 'Provide filename and/or suffix to create path to a pipeline file.'\n )\n filename = (filename or pm.name) + (suffix or '')\n return filename if os.path.isabs(filename) else os.path.join(pm.\n outfolder, filename)\n", "role": "user" }, { "content": "pipeline_filepath", "role": "assistant" } ]
def x(stage): name = parse_stage_name(stage) return str(name).lower().replace(' ', STAGE_NAME_SPACE_REPLACEMENT)
translate_stage_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stage):\n name = parse_stage_name(stage)\n return str(name).lower().replace(' ', STAGE_NAME_SPACE_REPLACEMENT)\n", "role": "user" }, { "content": "translate_stage_name", "role": "assistant" } ]
def x(argument_groups, arguments, use_all_args=False): if sys.version_info < (3, 3): from collections import Iterable else: from collections.abc import Iterable args_by_group = {'pypiper': ['recover', 'new-start', 'dirty', 'force-follow'], 'config': ['config'], 'checkpoint': ['stop-before', 'stop-after'], 'resource': ['mem', 'cores'], 'looper': ['config', 'output-parent', 'mem', 'cores'], 'common': ['input', 'sample-name' ], 'ngs': ['sample-name', 'input', 'input2', 'genome', 'single-or-paired']} groups = None if use_all_args: groups = args_by_group.keys() elif isinstance(argument_groups, str): groups = [argument_groups] elif isinstance(argument_groups, Iterable): groups = argument_groups elif argument_groups: raise TypeError('arguments must be a str or a list.') final_args = list() if groups: for g in groups: try: this_group_args = args_by_group[g] except KeyError: print("Skipping undefined pypiper argument group '{}'". format(g)) else: final_args.extend(this_group_args) if isinstance(arguments, str): final_args.append(arguments) elif isinstance(arguments, Iterable): final_args.extend(arguments) elif arguments: raise TypeError('arguments must be a str or a list.') return uniqify(final_args)
determine_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argument_groups, arguments, use_all_args=False):\n if sys.version_info < (3, 3):\n from collections import Iterable\n else:\n from collections.abc import Iterable\n args_by_group = {'pypiper': ['recover', 'new-start', 'dirty',\n 'force-follow'], 'config': ['config'], 'checkpoint': ['stop-before',\n 'stop-after'], 'resource': ['mem', 'cores'], 'looper': ['config',\n 'output-parent', 'mem', 'cores'], 'common': ['input', 'sample-name'\n ], 'ngs': ['sample-name', 'input', 'input2', 'genome',\n 'single-or-paired']}\n groups = None\n if use_all_args:\n groups = args_by_group.keys()\n elif isinstance(argument_groups, str):\n groups = [argument_groups]\n elif isinstance(argument_groups, Iterable):\n groups = argument_groups\n elif argument_groups:\n raise TypeError('arguments must be a str or a list.')\n final_args = list()\n if groups:\n for g in groups:\n try:\n this_group_args = args_by_group[g]\n except KeyError:\n print(\"Skipping undefined pypiper argument group '{}'\".\n format(g))\n else:\n final_args.extend(this_group_args)\n if isinstance(arguments, str):\n final_args.append(arguments)\n elif isinstance(arguments, Iterable):\n final_args.extend(arguments)\n elif arguments:\n raise TypeError('arguments must be a str or a list.')\n return uniqify(final_args)\n", "role": "user" }, { "content": "determine_args", "role": "assistant" } ]
def x(parser, args, required): import copy required = required or [] pipeline_script = os.path.basename(sys.argv[0]) default_config, _ = os.path.splitext(pipeline_script) default_config += '.yaml' argument_data = {'recover': ('-R', {'action': 'store_true', 'help': 'Overwrite locks to recover from previous failed run'}), 'new-start': ('-N', {'action': 'store_true', 'help': 'Overwrite all results to start a fresh run'}), 'dirty': ('-D', { 'action': 'store_true', 'help': "Don't auto-delete intermediate files"}), 'force-follow': ('-F', { 'action': 'store_true', 'help': "Always run 'follow' commands"}), 'start-point': {'help': 'Name of pipeline stage at which to begin'}, 'stop-before': {'help': 'Name of pipeline stage at which to stop (exclusive, i.e. not run)' }, 'stop-after': {'help': 'Name of pipeline stage at which to stop (inclusive, i.e. run)'}, 'config': ('-C', {'dest': 'config_file', 'metavar': 'CONFIG_FILE', 'default': default_config, 'help': 'Pipeline configuration file (YAML). Relative paths are with respect to the pipeline script.' }), 'sample-name': ('-S', {'metavar': 'SAMPLE_NAME', 'help': 'Name for sample to run'}), 'output-parent': ('-O', {'metavar': 'PARENT_OUTPUT_FOLDER', 'help': 'Parent output directory of project'}), 'cores': ('-P', {'type': int, 'default': 1, 'metavar': 'NUMBER_OF_CORES', 'help': 'Number of cores for parallelized processes'}), 'mem': ('-M', { 'default': '4000', 'metavar': 'MEMORY_LIMIT', 'help': 'Memory limit for processes accepting such. Default units are megabytes unless specified using the suffix [K|M|G|T].' }), 'input': ('-I', {'nargs': '+', 'metavar': 'INPUT_FILES', 'help': 'One or more primary input files'}), 'input2': ('-I2', {'nargs': '*', 'metavar': 'INPUT_FILES2', 'help': 'Secondary input files, such as read2'}), 'genome': ('-G', {'dest': 'genome_assembly', 'help': 'Identifier for genome assembly'}), 'single-or-paired': ('-Q', {'default': 'single', 'help': 'Single- or paired-end sequencing protocol'})} if len(required) > 0: required_named = parser.add_argument_group('required named arguments') for arg in args: try: argdata = copy.deepcopy(argument_data[arg]) except KeyError: print("Skipping undefined pypiper argument: '{}'".format(arg)) continue if isinstance(argdata, dict): short_opt = None else: try: short_opt, argdata = argdata except ValueError: raise TypeError( 'Option name must map to dict or two-tuple (short name and dict) of argument command-line argument specification data.' ) argdata['required'] = arg in required long_opt = '--{}'.format(arg) opts = (short_opt, long_opt) if short_opt else (long_opt,) if arg in required: required_named.add_argument(*opts, **argdata) else: parser.add_argument(*opts, **argdata) return parser
add_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser, args, required):\n import copy\n required = required or []\n pipeline_script = os.path.basename(sys.argv[0])\n default_config, _ = os.path.splitext(pipeline_script)\n default_config += '.yaml'\n argument_data = {'recover': ('-R', {'action': 'store_true', 'help':\n 'Overwrite locks to recover from previous failed run'}),\n 'new-start': ('-N', {'action': 'store_true', 'help':\n 'Overwrite all results to start a fresh run'}), 'dirty': ('-D', {\n 'action': 'store_true', 'help':\n \"Don't auto-delete intermediate files\"}), 'force-follow': ('-F', {\n 'action': 'store_true', 'help': \"Always run 'follow' commands\"}),\n 'start-point': {'help': 'Name of pipeline stage at which to begin'},\n 'stop-before': {'help':\n 'Name of pipeline stage at which to stop (exclusive, i.e. not run)'\n }, 'stop-after': {'help':\n 'Name of pipeline stage at which to stop (inclusive, i.e. run)'},\n 'config': ('-C', {'dest': 'config_file', 'metavar': 'CONFIG_FILE',\n 'default': default_config, 'help':\n 'Pipeline configuration file (YAML). Relative paths are with respect to the pipeline script.'\n }), 'sample-name': ('-S', {'metavar': 'SAMPLE_NAME', 'help':\n 'Name for sample to run'}), 'output-parent': ('-O', {'metavar':\n 'PARENT_OUTPUT_FOLDER', 'help':\n 'Parent output directory of project'}), 'cores': ('-P', {'type':\n int, 'default': 1, 'metavar': 'NUMBER_OF_CORES', 'help':\n 'Number of cores for parallelized processes'}), 'mem': ('-M', {\n 'default': '4000', 'metavar': 'MEMORY_LIMIT', 'help':\n 'Memory limit for processes accepting such. Default units are megabytes unless specified using the suffix [K|M|G|T].'\n }), 'input': ('-I', {'nargs': '+', 'metavar': 'INPUT_FILES', 'help':\n 'One or more primary input files'}), 'input2': ('-I2', {'nargs':\n '*', 'metavar': 'INPUT_FILES2', 'help':\n 'Secondary input files, such as read2'}), 'genome': ('-G', {'dest':\n 'genome_assembly', 'help': 'Identifier for genome assembly'}),\n 'single-or-paired': ('-Q', {'default': 'single', 'help':\n 'Single- or paired-end sequencing protocol'})}\n if len(required) > 0:\n required_named = parser.add_argument_group('required named arguments')\n for arg in args:\n try:\n argdata = copy.deepcopy(argument_data[arg])\n except KeyError:\n print(\"Skipping undefined pypiper argument: '{}'\".format(arg))\n continue\n if isinstance(argdata, dict):\n short_opt = None\n else:\n try:\n short_opt, argdata = argdata\n except ValueError:\n raise TypeError(\n 'Option name must map to dict or two-tuple (short name and dict) of argument command-line argument specification data.'\n )\n argdata['required'] = arg in required\n long_opt = '--{}'.format(arg)\n opts = (short_opt, long_opt) if short_opt else (long_opt,)\n if arg in required:\n required_named.add_argument(*opts, **argdata)\n else:\n parser.add_argument(*opts, **argdata)\n return parser\n", "role": "user" }, { "content": "add_args", "role": "assistant" } ]
def x(self, *paths): for p in paths: if not p or not os.path.isabs(p): continue fpath, fname = os.path.split(p) base, ext = os.path.splitext(fname) self.make_dir(fpath if ext else p)
ensure_folders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *paths):\n for p in paths:\n if not p or not os.path.isabs(p):\n continue\n fpath, fname = os.path.split(p)\n base, ext = os.path.splitext(fname)\n self.make_dir(fpath if ext else p)\n", "role": "user" }, { "content": "ensure_folders", "role": "assistant" } ]
def x(self, command): code = os.system('command -v {0} >/dev/null 2>&1 || {{ exit 1; }}'. format(command)) if code != 0: print('Command is not callable: {0}'.format(command)) return False else: return True
check_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n code = os.system('command -v {0} >/dev/null 2>&1 || {{ exit 1; }}'.\n format(command))\n if code != 0:\n print('Command is not callable: {0}'.format(command))\n return False\n else:\n return True\n", "role": "user" }, { "content": "check_command", "role": "assistant" } ]
def x(self, filenames): if type(filenames) is list: return sum([self.get_file_size(filename) for filename in filenames]) return round(sum([float(os.stat(f).st_size) for f in filenames.split( ' ')]) / 1024 ** 2, 4)
get_file_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filenames):\n if type(filenames) is list:\n return sum([self.get_file_size(filename) for filename in filenames])\n return round(sum([float(os.stat(f).st_size) for f in filenames.split(\n ' ')]) / 1024 ** 2, 4)\n", "role": "user" }, { "content": "get_file_size", "role": "assistant" } ]
def x(self, input_bam, output_fastq, output_fastq2=None, unpaired_fastq=None): self._ensure_folders(output_fastq, output_fastq2, unpaired_fastq) cmd = self.tools.java + ' -Xmx' + self.pm.javamem cmd += ' -jar ' + self.tools.picard + ' SamToFastq' cmd += ' INPUT={0}'.format(input_bam) cmd += ' FASTQ={0}'.format(output_fastq) if output_fastq2 is not None and unpaired_fastq is not None: cmd += ' SECOND_END_FASTQ={0}'.format(output_fastq2) cmd += ' UNPAIRED_FASTQ={0}'.format(unpaired_fastq) return cmd
bam2fastq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bam, output_fastq, output_fastq2=None, unpaired_fastq=None):\n self._ensure_folders(output_fastq, output_fastq2, unpaired_fastq)\n cmd = self.tools.java + ' -Xmx' + self.pm.javamem\n cmd += ' -jar ' + self.tools.picard + ' SamToFastq'\n cmd += ' INPUT={0}'.format(input_bam)\n cmd += ' FASTQ={0}'.format(output_fastq)\n if output_fastq2 is not None and unpaired_fastq is not None:\n cmd += ' SECOND_END_FASTQ={0}'.format(output_fastq2)\n cmd += ' UNPAIRED_FASTQ={0}'.format(unpaired_fastq)\n return cmd\n", "role": "user" }, { "content": "bam2fastq", "role": "assistant" } ]
def x(self, bam_file, out_fastq_pre, paired_end): self.make_sure_path_exists(os.path.dirname(out_fastq_pre)) cmd = self.tools.java + ' -Xmx' + self.pm.javamem cmd += ' -jar ' + self.tools.picard + ' SamToFastq' cmd += ' I=' + bam_file cmd += ' F=' + out_fastq_pre + '_R1.fastq' if paired_end: cmd += ' F2=' + out_fastq_pre + '_R2.fastq' cmd += ' INCLUDE_NON_PF_READS=true' cmd += ' QUIET=true' cmd += ' VERBOSITY=ERROR' cmd += ' VALIDATION_STRINGENCY=SILENT' return cmd
bam_to_fastq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bam_file, out_fastq_pre, paired_end):\n self.make_sure_path_exists(os.path.dirname(out_fastq_pre))\n cmd = self.tools.java + ' -Xmx' + self.pm.javamem\n cmd += ' -jar ' + self.tools.picard + ' SamToFastq'\n cmd += ' I=' + bam_file\n cmd += ' F=' + out_fastq_pre + '_R1.fastq'\n if paired_end:\n cmd += ' F2=' + out_fastq_pre + '_R2.fastq'\n cmd += ' INCLUDE_NON_PF_READS=true'\n cmd += ' QUIET=true'\n cmd += ' VERBOSITY=ERROR'\n cmd += ' VALIDATION_STRINGENCY=SILENT'\n return cmd\n", "role": "user" }, { "content": "bam_to_fastq", "role": "assistant" } ]
def x(self, bam_file, out_fastq_pre, paired_end): self.make_sure_path_exists(os.path.dirname(out_fastq_pre)) fq1 = out_fastq_pre + '_R1.fastq' if paired_end: fq2 = out_fastq_pre + '_R2.fastq' cmd = self.tools.samtools + ' view ' + bam_file + " | awk '" cmd += ('{ if (NR%2==1) print "@"$1"/1\\n"$10"\\n+\\n"$11 > "' + fq1 + '";') cmd += ' else print "@"$1"/2\\n"$10"\\n+\\n"$11 > "' + fq2 + '"; }' cmd += "'" else: fq2 = None cmd = self.tools.samtools + ' view ' + bam_file + " | awk '" cmd += '{ print "@"$1"\\n"$10"\\n+\\n"$11 > "' + fq1 + '"; }' cmd += "'" return cmd, fq1, fq2
bam_to_fastq_awk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bam_file, out_fastq_pre, paired_end):\n self.make_sure_path_exists(os.path.dirname(out_fastq_pre))\n fq1 = out_fastq_pre + '_R1.fastq'\n if paired_end:\n fq2 = out_fastq_pre + '_R2.fastq'\n cmd = self.tools.samtools + ' view ' + bam_file + \" | awk '\"\n cmd += ('{ if (NR%2==1) print \"@\"$1\"/1\\\\n\"$10\"\\\\n+\\\\n\"$11 > \"' +\n fq1 + '\";')\n cmd += ' else print \"@\"$1\"/2\\\\n\"$10\"\\\\n+\\\\n\"$11 > \"' + fq2 + '\"; }'\n cmd += \"'\"\n else:\n fq2 = None\n cmd = self.tools.samtools + ' view ' + bam_file + \" | awk '\"\n cmd += '{ print \"@\"$1\"\\\\n\"$10\"\\\\n+\\\\n\"$11 > \"' + fq1 + '\"; }'\n cmd += \"'\"\n return cmd, fq1, fq2\n", "role": "user" }, { "content": "bam_to_fastq_awk", "role": "assistant" } ]
def x(self, bam_file, out_fastq_pre, paired_end): self.make_sure_path_exists(os.path.dirname(out_fastq_pre)) fq1 = out_fastq_pre + '_R1.fastq' fq2 = None cmd = (self.tools.bedtools + ' bamtofastq -i ' + bam_file + ' -fq ' + fq1 + '.fastq') if paired_end: fq2 = out_fastq_pre + '_R2.fastq' cmd += ' -fq2 ' + fq2 return cmd, fq1, fq2
bam_to_fastq_bedtools
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bam_file, out_fastq_pre, paired_end):\n self.make_sure_path_exists(os.path.dirname(out_fastq_pre))\n fq1 = out_fastq_pre + '_R1.fastq'\n fq2 = None\n cmd = (self.tools.bedtools + ' bamtofastq -i ' + bam_file + ' -fq ' +\n fq1 + '.fastq')\n if paired_end:\n fq2 = out_fastq_pre + '_R2.fastq'\n cmd += ' -fq2 ' + fq2\n return cmd, fq1, fq2\n", "role": "user" }, { "content": "bam_to_fastq_bedtools", "role": "assistant" } ]
def x(self, input_file): if input_file.endswith('.bam'): input_ext = '.bam' elif input_file.endswith('.fastq.gz') or input_file.endswith('.fq.gz'): input_ext = '.fastq.gz' elif input_file.endswith('.fastq') or input_file.endswith('.fq'): input_ext = '.fastq' else: errmsg = ( "'{}'; this pipeline can only deal with .bam, .fastq, or .fastq.gz files" .format(input_file)) raise UnsupportedFiletypeException(errmsg) return input_ext
get_input_ext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_file):\n if input_file.endswith('.bam'):\n input_ext = '.bam'\n elif input_file.endswith('.fastq.gz') or input_file.endswith('.fq.gz'):\n input_ext = '.fastq.gz'\n elif input_file.endswith('.fastq') or input_file.endswith('.fq'):\n input_ext = '.fastq'\n else:\n errmsg = (\n \"'{}'; this pipeline can only deal with .bam, .fastq, or .fastq.gz files\"\n .format(input_file))\n raise UnsupportedFiletypeException(errmsg)\n return input_ext\n", "role": "user" }, { "content": "get_input_ext", "role": "assistant" } ]
def x(self, input_args, raw_folder, local_base='sample'): self.make_sure_path_exists(raw_folder) if not isinstance(input_args, list): raise Exception('Input must be a list') if any(isinstance(i, list) for i in input_args): local_input_files = list() n_input_files = len(filter(bool, input_args)) print('Number of input file sets:\t\t' + str(n_input_files)) for input_i, input_arg in enumerate(input_args): if n_input_files > 1: local_base_extended = local_base + '_R' + str(input_i + 1) else: local_base_extended = local_base if input_arg: out = self.merge_or_link(input_arg, raw_folder, local_base_extended) print("Local input file: '{}'".format(out)) if not os.path.isfile(out): print("Not a file: '{}'".format(out)) local_input_files.append(out) return local_input_files elif len(input_args) == 1: input_arg = input_args[0] input_ext = self.get_input_ext(input_arg) if not os.path.isabs(input_arg): input_arg = os.path.abspath(input_arg) local_input_abs = os.path.join(raw_folder, local_base + input_ext) self.pm.run('ln -sf ' + input_arg + ' ' + local_input_abs, target= local_input_abs, shell=True) return local_input_abs else: if all([(self.get_input_ext(x) == '.bam') for x in input_args]): sample_merged = local_base + '.merged.bam' output_merge = os.path.join(raw_folder, sample_merged) cmd = self.merge_bams(input_args, output_merge) self.pm.run(cmd, output_merge) cmd2 = self.validate_bam(output_merge) self.pm.run(cmd, output_merge, nofail=True) return output_merge if all([(self.get_input_ext(x) == '.fastq.gz') for x in input_args]): sample_merged_gz = local_base + '.merged.fastq.gz' output_merge_gz = os.path.join(raw_folder, sample_merged_gz) cmd = 'cat ' + ' '.join(input_args) + ' > ' + output_merge_gz self.pm.run(cmd, output_merge_gz) return output_merge_gz if all([(self.get_input_ext(x) == '.fastq') for x in input_args]): sample_merged = local_base + '.merged.fastq' output_merge = os.path.join(raw_folder, sample_merged) cmd = 'cat ' + ' '.join(input_args) + ' > ' + output_merge self.pm.run(cmd, output_merge) return output_merge raise NotImplementedError( 'Input files must be of the same type, and can only merge bam or fastq.' )
merge_or_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_args, raw_folder, local_base='sample'):\n self.make_sure_path_exists(raw_folder)\n if not isinstance(input_args, list):\n raise Exception('Input must be a list')\n if any(isinstance(i, list) for i in input_args):\n local_input_files = list()\n n_input_files = len(filter(bool, input_args))\n print('Number of input file sets:\\t\\t' + str(n_input_files))\n for input_i, input_arg in enumerate(input_args):\n if n_input_files > 1:\n local_base_extended = local_base + '_R' + str(input_i + 1)\n else:\n local_base_extended = local_base\n if input_arg:\n out = self.merge_or_link(input_arg, raw_folder,\n local_base_extended)\n print(\"Local input file: '{}'\".format(out))\n if not os.path.isfile(out):\n print(\"Not a file: '{}'\".format(out))\n local_input_files.append(out)\n return local_input_files\n elif len(input_args) == 1:\n input_arg = input_args[0]\n input_ext = self.get_input_ext(input_arg)\n if not os.path.isabs(input_arg):\n input_arg = os.path.abspath(input_arg)\n local_input_abs = os.path.join(raw_folder, local_base + input_ext)\n self.pm.run('ln -sf ' + input_arg + ' ' + local_input_abs, target=\n local_input_abs, shell=True)\n return local_input_abs\n else:\n if all([(self.get_input_ext(x) == '.bam') for x in input_args]):\n sample_merged = local_base + '.merged.bam'\n output_merge = os.path.join(raw_folder, sample_merged)\n cmd = self.merge_bams(input_args, output_merge)\n self.pm.run(cmd, output_merge)\n cmd2 = self.validate_bam(output_merge)\n self.pm.run(cmd, output_merge, nofail=True)\n return output_merge\n if all([(self.get_input_ext(x) == '.fastq.gz') for x in input_args]):\n sample_merged_gz = local_base + '.merged.fastq.gz'\n output_merge_gz = os.path.join(raw_folder, sample_merged_gz)\n cmd = 'cat ' + ' '.join(input_args) + ' > ' + output_merge_gz\n self.pm.run(cmd, output_merge_gz)\n return output_merge_gz\n if all([(self.get_input_ext(x) == '.fastq') for x in input_args]):\n sample_merged = local_base + '.merged.fastq'\n output_merge = os.path.join(raw_folder, sample_merged)\n cmd = 'cat ' + ' '.join(input_args) + ' > ' + output_merge\n self.pm.run(cmd, output_merge)\n return output_merge\n raise NotImplementedError(\n 'Input files must be of the same type, and can only merge bam or fastq.'\n )\n", "role": "user" }, { "content": "merge_or_link", "role": "assistant" } ]
def x(self, input_file, sample_name, paired_end, fastq_folder, output_file= None, multiclass=False): fastq_prefix = os.path.join(fastq_folder, sample_name) self.make_sure_path_exists(fastq_folder) if type(input_file) != list: input_file = [input_file] if len(input_file) > 1: cmd = [] output_file = [] for in_i, in_arg in enumerate(input_file): output = fastq_prefix + '_R' + str(in_i + 1) + '.fastq' result_cmd, uf, result_file = self.input_to_fastq(in_arg, sample_name, paired_end, fastq_folder, output, multiclass=True) cmd.append(result_cmd) output_file.append(result_file) else: input_file = input_file[0] if not output_file: output_file = fastq_prefix + '_R1.fastq' input_ext = self.get_input_ext(input_file) if input_ext == '.bam': print('Found .bam file') cmd, fq1, fq2 = self.bam_to_fastq_awk(input_file, fastq_prefix, paired_end) elif input_ext == '.fastq.gz': print('Found .fastq.gz file') if paired_end and not multiclass: script_path = os.path.join(self.tools.scripts_dir, 'fastq_split.py') cmd = self.tools.python + ' -u ' + script_path cmd += ' -i ' + input_file cmd += ' -o ' + fastq_prefix output_file = [fastq_prefix + '_R1.fastq', fastq_prefix + '_R2.fastq'] else: cmd = (self.ziptool + ' -d -c ' + input_file + ' > ' + output_file) elif input_ext == '.fastq': cmd = 'ln -sf ' + input_file + ' ' + output_file print('Found .fastq file; no conversion necessary') return [cmd, fastq_prefix, output_file]
input_to_fastq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_file, sample_name, paired_end, fastq_folder, output_file=\n None, multiclass=False):\n fastq_prefix = os.path.join(fastq_folder, sample_name)\n self.make_sure_path_exists(fastq_folder)\n if type(input_file) != list:\n input_file = [input_file]\n if len(input_file) > 1:\n cmd = []\n output_file = []\n for in_i, in_arg in enumerate(input_file):\n output = fastq_prefix + '_R' + str(in_i + 1) + '.fastq'\n result_cmd, uf, result_file = self.input_to_fastq(in_arg,\n sample_name, paired_end, fastq_folder, output, multiclass=True)\n cmd.append(result_cmd)\n output_file.append(result_file)\n else:\n input_file = input_file[0]\n if not output_file:\n output_file = fastq_prefix + '_R1.fastq'\n input_ext = self.get_input_ext(input_file)\n if input_ext == '.bam':\n print('Found .bam file')\n cmd, fq1, fq2 = self.bam_to_fastq_awk(input_file, fastq_prefix,\n paired_end)\n elif input_ext == '.fastq.gz':\n print('Found .fastq.gz file')\n if paired_end and not multiclass:\n script_path = os.path.join(self.tools.scripts_dir,\n 'fastq_split.py')\n cmd = self.tools.python + ' -u ' + script_path\n cmd += ' -i ' + input_file\n cmd += ' -o ' + fastq_prefix\n output_file = [fastq_prefix + '_R1.fastq', fastq_prefix +\n '_R2.fastq']\n else:\n cmd = (self.ziptool + ' -d -c ' + input_file + ' > ' +\n output_file)\n elif input_ext == '.fastq':\n cmd = 'ln -sf ' + input_file + ' ' + output_file\n print('Found .fastq file; no conversion necessary')\n return [cmd, fastq_prefix, output_file]\n", "role": "user" }, { "content": "input_to_fastq", "role": "assistant" } ]
def x(self, input_files, output_files, paired_end): def x(input_files=input_files, output_files=output_files, paired_end= paired_end): if type(input_files) != list: input_files = [input_files] if type(output_files) != list: output_files = [output_files] print(input_files) print(output_files) n_input_files = len(filter(bool, input_files)) total_reads = sum([int(self.count_reads(input_file, paired_end)) for input_file in input_files]) raw_reads = total_reads / n_input_files self.pm.report_result('Raw_reads', str(raw_reads)) total_fastq_reads = sum([int(self.count_reads(output_file, paired_end)) for output_file in output_files]) fastq_reads = total_fastq_reads / n_input_files self.pm.report_result('Fastq_reads', fastq_reads) input_ext = self.get_input_ext(input_files[0]) if input_ext == '.bam': num_failed_filter = sum([int(self.count_fail_reads(f, paired_end)) for f in input_files]) pf_reads = int(raw_reads) - num_failed_filter self.pm.report_result('PF_reads', str(pf_reads)) if fastq_reads != int(raw_reads): raise Exception( "Fastq conversion error? Number of reads doesn't match unaligned bam" ) return fastq_reads return temp_func
check_fastq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_files, output_files, paired_end):\n\n def x(input_files=input_files, output_files=output_files, paired_end=\n paired_end):\n if type(input_files) != list:\n input_files = [input_files]\n if type(output_files) != list:\n output_files = [output_files]\n print(input_files)\n print(output_files)\n n_input_files = len(filter(bool, input_files))\n total_reads = sum([int(self.count_reads(input_file, paired_end)) for\n input_file in input_files])\n raw_reads = total_reads / n_input_files\n self.pm.report_result('Raw_reads', str(raw_reads))\n total_fastq_reads = sum([int(self.count_reads(output_file,\n paired_end)) for output_file in output_files])\n fastq_reads = total_fastq_reads / n_input_files\n self.pm.report_result('Fastq_reads', fastq_reads)\n input_ext = self.get_input_ext(input_files[0])\n if input_ext == '.bam':\n num_failed_filter = sum([int(self.count_fail_reads(f,\n paired_end)) for f in input_files])\n pf_reads = int(raw_reads) - num_failed_filter\n self.pm.report_result('PF_reads', str(pf_reads))\n if fastq_reads != int(raw_reads):\n raise Exception(\n \"Fastq conversion error? Number of reads doesn't match unaligned bam\"\n )\n return fastq_reads\n return temp_func\n", "role": "user" }, { "content": "check_fastq", "role": "assistant" } ]
def x(self, trimmed_fastq, paired_end, trimmed_fastq_R2=None, fastqc_folder =None): def x(): print('Evaluating read trimming') if paired_end and not trimmed_fastq_R2: print('WARNING: specified paired-end but no R2 file') n_trim = float(self.count_reads(trimmed_fastq, paired_end)) self.pm.report_result('Trimmed_reads', int(n_trim)) try: rr = float(self.pm.get_stat('Raw_reads')) except: print("Can't calculate trim loss rate without raw read result.") else: self.pm.report_result('Trim_loss_rate', round((rr - n_trim) * 100 / rr, 2)) if fastqc_folder: if fastqc_folder and os.path.isabs(fastqc_folder): self.make_sure_path_exists(fastqc_folder) cmd = self.fastqc(trimmed_fastq, fastqc_folder) self.pm.run(cmd, lock_name='trimmed_fastqc', nofail=True) fname, ext = os.path.splitext(os.path.basename(trimmed_fastq)) fastqc_html = os.path.join(fastqc_folder, fname + '_fastqc.html') self.pm.report_object('FastQC report r1', fastqc_html) if paired_end and trimmed_fastq_R2: cmd = self.fastqc(trimmed_fastq_R2, fastqc_folder) self.pm.run(cmd, lock_name='trimmed_fastqc_R2', nofail=True) fname, ext = os.path.splitext(os.path.basename( trimmed_fastq_R2)) fastqc_html = os.path.join(fastqc_folder, fname + '_fastqc.html') self.pm.report_object('FastQC report r2', fastqc_html) return temp_func
check_trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, trimmed_fastq, paired_end, trimmed_fastq_R2=None, fastqc_folder\n =None):\n\n def x():\n print('Evaluating read trimming')\n if paired_end and not trimmed_fastq_R2:\n print('WARNING: specified paired-end but no R2 file')\n n_trim = float(self.count_reads(trimmed_fastq, paired_end))\n self.pm.report_result('Trimmed_reads', int(n_trim))\n try:\n rr = float(self.pm.get_stat('Raw_reads'))\n except:\n print(\"Can't calculate trim loss rate without raw read result.\")\n else:\n self.pm.report_result('Trim_loss_rate', round((rr - n_trim) * \n 100 / rr, 2))\n if fastqc_folder:\n if fastqc_folder and os.path.isabs(fastqc_folder):\n self.make_sure_path_exists(fastqc_folder)\n cmd = self.fastqc(trimmed_fastq, fastqc_folder)\n self.pm.run(cmd, lock_name='trimmed_fastqc', nofail=True)\n fname, ext = os.path.splitext(os.path.basename(trimmed_fastq))\n fastqc_html = os.path.join(fastqc_folder, fname + '_fastqc.html')\n self.pm.report_object('FastQC report r1', fastqc_html)\n if paired_end and trimmed_fastq_R2:\n cmd = self.fastqc(trimmed_fastq_R2, fastqc_folder)\n self.pm.run(cmd, lock_name='trimmed_fastqc_R2', nofail=True)\n fname, ext = os.path.splitext(os.path.basename(\n trimmed_fastq_R2))\n fastqc_html = os.path.join(fastqc_folder, fname +\n '_fastqc.html')\n self.pm.report_object('FastQC report r2', fastqc_html)\n return temp_func\n", "role": "user" }, { "content": "check_trim", "role": "assistant" } ]
def x(self, input_bam): cmd = self.tools.java + ' -Xmx' + self.pm.javamem cmd += ' -jar ' + self.tools.picard + ' ValidateSamFile' cmd += ' INPUT=' + input_bam return cmd
validate_bam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bam):\n cmd = self.tools.java + ' -Xmx' + self.pm.javamem\n cmd += ' -jar ' + self.tools.picard + ' ValidateSamFile'\n cmd += ' INPUT=' + input_bam\n return cmd\n", "role": "user" }, { "content": "validate_bam", "role": "assistant" } ]
def x(self, input_bams, merged_bam, in_sorted='TRUE', tmp_dir=None): if not len(input_bams) > 1: print('No merge required') return 0 outdir, _ = os.path.split(merged_bam) if outdir and not os.path.exists(outdir): print("Creating path to merge file's folder: '{}'".format(outdir)) os.makedirs(outdir) if in_sorted in [False, True]: in_sorted = 'TRUE' if in_sorted else 'FALSE' input_string = ' INPUT=' + ' INPUT='.join(input_bams) cmd = self.tools.java + ' -Xmx' + self.pm.javamem cmd += ' -jar ' + self.tools.picard + ' MergeSamFiles' cmd += input_string cmd += ' OUTPUT=' + merged_bam cmd += ' ASSUME_SORTED=' + str(in_sorted) cmd += ' CREATE_INDEX=TRUE' cmd += ' VALIDATION_STRINGENCY=SILENT' if tmp_dir: cmd += ' TMP_DIR=' + tmp_dir return cmd
merge_bams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bams, merged_bam, in_sorted='TRUE', tmp_dir=None):\n if not len(input_bams) > 1:\n print('No merge required')\n return 0\n outdir, _ = os.path.split(merged_bam)\n if outdir and not os.path.exists(outdir):\n print(\"Creating path to merge file's folder: '{}'\".format(outdir))\n os.makedirs(outdir)\n if in_sorted in [False, True]:\n in_sorted = 'TRUE' if in_sorted else 'FALSE'\n input_string = ' INPUT=' + ' INPUT='.join(input_bams)\n cmd = self.tools.java + ' -Xmx' + self.pm.javamem\n cmd += ' -jar ' + self.tools.picard + ' MergeSamFiles'\n cmd += input_string\n cmd += ' OUTPUT=' + merged_bam\n cmd += ' ASSUME_SORTED=' + str(in_sorted)\n cmd += ' CREATE_INDEX=TRUE'\n cmd += ' VALIDATION_STRINGENCY=SILENT'\n if tmp_dir:\n cmd += ' TMP_DIR=' + tmp_dir\n return cmd\n", "role": "user" }, { "content": "merge_bams", "role": "assistant" } ]
def x(self, inputs, output, run=False, remove_inputs=False): if remove_inputs and not run: raise ValueError("Can't delete files if command isn't run") cmd = 'cat {} > {}'.format(' '.join(inputs), output) if run: subprocess.check_call(cmd.split(), shell=True) if remove_inputs: cmd = 'rm {}'.format(' '.join(inputs)) subprocess.check_call(cmd.split(), shell=True) else: return cmd
merge_fastq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inputs, output, run=False, remove_inputs=False):\n if remove_inputs and not run:\n raise ValueError(\"Can't delete files if command isn't run\")\n cmd = 'cat {} > {}'.format(' '.join(inputs), output)\n if run:\n subprocess.check_call(cmd.split(), shell=True)\n if remove_inputs:\n cmd = 'rm {}'.format(' '.join(inputs))\n subprocess.check_call(cmd.split(), shell=True)\n else:\n return cmd\n", "role": "user" }, { "content": "merge_fastq", "role": "assistant" } ]
def x(self, file_name): x = subprocess.check_output('wc -l ' + file_name + " | sed -E 's/^[[:space:]]+//' | cut -f1 -d' '", shell=True) return x.strip()
count_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name):\n x = subprocess.check_output('wc -l ' + file_name +\n \" | sed -E 's/^[[:space:]]+//' | cut -f1 -d' '\", shell=True)\n return x.strip()\n", "role": "user" }, { "content": "count_lines", "role": "assistant" } ]
def x(self, file_name): x = subprocess.check_output(self.tools.samtools + ' view -H ' + file_name + " | grep '^@SQ' | cut -f2| sed s'/SN://'", shell=True) return x.split()
get_chrs_from_bam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name):\n x = subprocess.check_output(self.tools.samtools + ' view -H ' +\n file_name + \" | grep '^@SQ' | cut -f2| sed s'/SN://'\", shell=True)\n return x.split()\n", "role": "user" }, { "content": "get_chrs_from_bam", "role": "assistant" } ]
def x(self, file_name, paired_end): if file_name.endswith('sam'): param = '-S' if file_name.endswith('bam'): param = '' if paired_end: r1 = self.samtools_view(file_name, param=param + ' -f64', postpend= " | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'") r2 = self.samtools_view(file_name, param=param + ' -f128', postpend =" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'") else: r1 = self.samtools_view(file_name, param=param + '', postpend= " | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'") r2 = 0 return int(r1) + int(r2)
count_unique_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name, paired_end):\n if file_name.endswith('sam'):\n param = '-S'\n if file_name.endswith('bam'):\n param = ''\n if paired_end:\n r1 = self.samtools_view(file_name, param=param + ' -f64', postpend=\n \" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'\")\n r2 = self.samtools_view(file_name, param=param + ' -f128', postpend\n =\" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'\")\n else:\n r1 = self.samtools_view(file_name, param=param + '', postpend=\n \" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'\")\n r2 = 0\n return int(r1) + int(r2)\n", "role": "user" }, { "content": "count_unique_reads", "role": "assistant" } ]
def x(self, file_name, paired_end): _, ext = os.path.splitext(file_name) ext = ext.lower() if ext == '.sam': param = '-S -F4' elif ext == 'bam': param = '-F4' else: raise ValueError("Not a SAM or BAM: '{}'".format(file_name)) if paired_end: r1 = self.samtools_view(file_name, param=param + ' -f64', postpend= " | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'") r2 = self.samtools_view(file_name, param=param + ' -f128', postpend =" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'") else: r1 = self.samtools_view(file_name, param=param + '', postpend= " | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'") r2 = 0 return int(r1) + int(r2)
count_unique_mapped_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name, paired_end):\n _, ext = os.path.splitext(file_name)\n ext = ext.lower()\n if ext == '.sam':\n param = '-S -F4'\n elif ext == 'bam':\n param = '-F4'\n else:\n raise ValueError(\"Not a SAM or BAM: '{}'\".format(file_name))\n if paired_end:\n r1 = self.samtools_view(file_name, param=param + ' -f64', postpend=\n \" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'\")\n r2 = self.samtools_view(file_name, param=param + ' -f128', postpend\n =\" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'\")\n else:\n r1 = self.samtools_view(file_name, param=param + '', postpend=\n \" | cut -f1 | sort -k1,1 -u | wc -l | sed -E 's/^[[:space:]]+//'\")\n r2 = 0\n return int(r1) + int(r2)\n", "role": "user" }, { "content": "count_unique_mapped_reads", "role": "assistant" } ]
def x(self, file_name, flag, paired_end): param = ' -c -f' + str(flag) if file_name.endswith('sam'): param += ' -S' return self.samtools_view(file_name, param=param)
count_flag_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name, flag, paired_end):\n param = ' -c -f' + str(flag)\n if file_name.endswith('sam'):\n param += ' -S'\n return self.samtools_view(file_name, param=param)\n", "role": "user" }, { "content": "count_flag_reads", "role": "assistant" } ]
def x(self, file_name, paired_end): param = ' -c -F256' if file_name.endswith('sam'): param += ' -S' return self.samtools_view(file_name, param=param)
count_uniquelymapping_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name, paired_end):\n param = ' -c -F256'\n if file_name.endswith('sam'):\n param += ' -S'\n return self.samtools_view(file_name, param=param)\n", "role": "user" }, { "content": "count_uniquelymapping_reads", "role": "assistant" } ]
def x(self, file_name, param, postpend=''): cmd = '{} view {} {} {}'.format(self.tools.samtools, param, file_name, postpend) return subprocess.check_output(cmd, shell=True)
samtools_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name, param, postpend=''):\n cmd = '{} view {} {} {}'.format(self.tools.samtools, param, file_name,\n postpend)\n return subprocess.check_output(cmd, shell=True)\n", "role": "user" }, { "content": "samtools_view", "role": "assistant" } ]
def x(self, file_name, paired_end): _, ext = os.path.splitext(file_name) if not (is_sam_or_bam(file_name) or is_fastq(file_name)): return -1 if is_sam_or_bam(file_name): param_text = '-c' if ext == '.bam' else '-c -S' return self.samtools_view(file_name, param=param_text) else: num_lines = self.count_lines_zip(file_name) if is_gzipped_fastq( file_name) else self.count_lines(file_name) divisor = 2 if paired_end else 4 return int(num_lines) / divisor
count_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name, paired_end):\n _, ext = os.path.splitext(file_name)\n if not (is_sam_or_bam(file_name) or is_fastq(file_name)):\n return -1\n if is_sam_or_bam(file_name):\n param_text = '-c' if ext == '.bam' else '-c -S'\n return self.samtools_view(file_name, param=param_text)\n else:\n num_lines = self.count_lines_zip(file_name) if is_gzipped_fastq(\n file_name) else self.count_lines(file_name)\n divisor = 2 if paired_end else 4\n return int(num_lines) / divisor\n", "role": "user" }, { "content": "count_reads", "role": "assistant" } ]
def x(self, aligned_bam): cmd = self.tools.samtools + ' view ' + aligned_bam + ' | ' cmd += "grep 'YT:Z:CP'" + " | uniq -u | wc -l | sed -E 's/^[[:space:]]+//'" return subprocess.check_output(cmd, shell=True)
count_concordant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, aligned_bam):\n cmd = self.tools.samtools + ' view ' + aligned_bam + ' | '\n cmd += \"grep 'YT:Z:CP'\" + \" | uniq -u | wc -l | sed -E 's/^[[:space:]]+//'\"\n return subprocess.check_output(cmd, shell=True)\n", "role": "user" }, { "content": "count_concordant", "role": "assistant" } ]
def x(self, file_name, paired_end): if file_name.endswith('bam'): return self.samtools_view(file_name, param='-c -F4') if file_name.endswith('sam'): return self.samtools_view(file_name, param='-c -F4 -S') return -1
count_mapped_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name, paired_end):\n if file_name.endswith('bam'):\n return self.samtools_view(file_name, param='-c -F4')\n if file_name.endswith('sam'):\n return self.samtools_view(file_name, param='-c -F4 -S')\n return -1\n", "role": "user" }, { "content": "count_mapped_reads", "role": "assistant" } ]
def x(self, sam_file, depth=True): cmd = (self.tools.samtools + ' view -bS ' + sam_file + ' > ' + sam_file .replace('.sam', '.bam') + '\n') cmd += self.tools.samtools + ' sort ' + sam_file.replace('.sam', '.bam' ) + ' -o ' + sam_file.replace('.sam', '_sorted.bam') + '\n' cmd += self.tools.samtools + ' index ' + sam_file.replace('.sam', '_sorted.bam') + '\n' if depth: cmd += self.tools.samtools + ' depth ' + sam_file.replace('.sam', '_sorted.bam') + ' > ' + sam_file.replace('.sam', '_sorted.depth' ) + '\n' return cmd
sam_conversions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sam_file, depth=True):\n cmd = (self.tools.samtools + ' view -bS ' + sam_file + ' > ' + sam_file\n .replace('.sam', '.bam') + '\\n')\n cmd += self.tools.samtools + ' sort ' + sam_file.replace('.sam', '.bam'\n ) + ' -o ' + sam_file.replace('.sam', '_sorted.bam') + '\\n'\n cmd += self.tools.samtools + ' index ' + sam_file.replace('.sam',\n '_sorted.bam') + '\\n'\n if depth:\n cmd += self.tools.samtools + ' depth ' + sam_file.replace('.sam',\n '_sorted.bam') + ' > ' + sam_file.replace('.sam', '_sorted.depth'\n ) + '\\n'\n return cmd\n", "role": "user" }, { "content": "sam_conversions", "role": "assistant" } ]
def x(self, bam_file, depth=True): cmd = (self.tools.samtools + ' view -h ' + bam_file + ' > ' + bam_file. replace('.bam', '.sam') + '\n') cmd += (self.tools.samtools + ' sort ' + bam_file + ' -o ' + bam_file. replace('.bam', '_sorted.bam') + '\n') cmd += self.tools.samtools + ' index ' + bam_file.replace('.bam', '_sorted.bam') + '\n' if depth: cmd += self.tools.samtools + ' depth ' + bam_file.replace('.bam', '_sorted.bam') + ' > ' + bam_file.replace('.bam', '_sorted.depth' ) + '\n' return cmd
bam_conversions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bam_file, depth=True):\n cmd = (self.tools.samtools + ' view -h ' + bam_file + ' > ' + bam_file.\n replace('.bam', '.sam') + '\\n')\n cmd += (self.tools.samtools + ' sort ' + bam_file + ' -o ' + bam_file.\n replace('.bam', '_sorted.bam') + '\\n')\n cmd += self.tools.samtools + ' index ' + bam_file.replace('.bam',\n '_sorted.bam') + '\\n'\n if depth:\n cmd += self.tools.samtools + ' depth ' + bam_file.replace('.bam',\n '_sorted.bam') + ' > ' + bam_file.replace('.bam', '_sorted.depth'\n ) + '\\n'\n return cmd\n", "role": "user" }, { "content": "bam_conversions", "role": "assistant" } ]
def x(self, file, output_dir): try: pm = self.pm except AttributeError: pass else: if not os.path.isabs(output_dir) and pm is not None: output_dir = os.path.join(pm.outfolder, output_dir) self.make_sure_path_exists(output_dir) return '{} --noextract --outdir {} {}'.format(self.tools.fastqc, output_dir, file)
fastqc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file, output_dir):\n try:\n pm = self.pm\n except AttributeError:\n pass\n else:\n if not os.path.isabs(output_dir) and pm is not None:\n output_dir = os.path.join(pm.outfolder, output_dir)\n self.make_sure_path_exists(output_dir)\n return '{} --noextract --outdir {} {}'.format(self.tools.fastqc,\n output_dir, file)\n", "role": "user" }, { "content": "fastqc", "role": "assistant" } ]
def x(self, input_bam, output_dir, sample_name): cmds = list() initial = os.path.splitext(os.path.basename(input_bam))[0] cmd1 = self.fastqc(input_bam, output_dir) cmds.append(cmd1) cmd2 = ( 'if [[ ! -s {1}_fastqc.html ]]; then mv {0}_fastqc.html {1}_fastqc.html; mv {0}_fastqc.zip {1}_fastqc.zip; fi' .format(os.path.join(output_dir, initial), os.path.join(output_dir, sample_name))) cmds.append(cmd2) return cmds
fastqc_rename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bam, output_dir, sample_name):\n cmds = list()\n initial = os.path.splitext(os.path.basename(input_bam))[0]\n cmd1 = self.fastqc(input_bam, output_dir)\n cmds.append(cmd1)\n cmd2 = (\n 'if [[ ! -s {1}_fastqc.html ]]; then mv {0}_fastqc.html {1}_fastqc.html; mv {0}_fastqc.zip {1}_fastqc.zip; fi'\n .format(os.path.join(output_dir, initial), os.path.join(output_dir,\n sample_name)))\n cmds.append(cmd2)\n return cmds\n", "role": "user" }, { "content": "fastqc_rename", "role": "assistant" } ]
def x(self, bam_file): cmd = self.tools.samtools + ' index {0}'.format(bam_file) return cmd
samtools_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bam_file):\n cmd = self.tools.samtools + ' index {0}'.format(bam_file)\n return cmd\n", "role": "user" }, { "content": "samtools_index", "role": "assistant" } ]
def x(self, input_fastq1, output_prefix, output_fastq1, log, cpus, adapters, input_fastq2=None, output_fastq2=None): pe = input_fastq2 is not None mode = 'pe' if pe else 'any' cmds = list() cmd1 = self.tools.skewer + ' --quiet' cmd1 += ' -f sanger' cmd1 += ' -t {0}'.format(cpus) cmd1 += ' -m {0}'.format(mode) cmd1 += ' -x {0}'.format(adapters) cmd1 += ' -o {0}'.format(output_prefix) cmd1 += ' {0}'.format(input_fastq1) if input_fastq2 is None: cmds.append(cmd1) else: cmd1 += ' {0}'.format(input_fastq2) cmds.append(cmd1) if input_fastq2 is None: cmd2 = 'mv {0} {1}'.format(output_prefix + '-trimmed.fastq', output_fastq1) cmds.append(cmd2) else: cmd2 = 'mv {0} {1}'.format(output_prefix + '-trimmed-pair1.fastq', output_fastq1) cmds.append(cmd2) cmd3 = 'mv {0} {1}'.format(output_prefix + '-trimmed-pair2.fastq', output_fastq2) cmds.append(cmd3) cmd4 = 'mv {0} {1}'.format(output_prefix + '-trimmed.log', log) cmds.append(cmd4) return cmds
skewer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_fastq1, output_prefix, output_fastq1, log, cpus, adapters,\n input_fastq2=None, output_fastq2=None):\n pe = input_fastq2 is not None\n mode = 'pe' if pe else 'any'\n cmds = list()\n cmd1 = self.tools.skewer + ' --quiet'\n cmd1 += ' -f sanger'\n cmd1 += ' -t {0}'.format(cpus)\n cmd1 += ' -m {0}'.format(mode)\n cmd1 += ' -x {0}'.format(adapters)\n cmd1 += ' -o {0}'.format(output_prefix)\n cmd1 += ' {0}'.format(input_fastq1)\n if input_fastq2 is None:\n cmds.append(cmd1)\n else:\n cmd1 += ' {0}'.format(input_fastq2)\n cmds.append(cmd1)\n if input_fastq2 is None:\n cmd2 = 'mv {0} {1}'.format(output_prefix + '-trimmed.fastq',\n output_fastq1)\n cmds.append(cmd2)\n else:\n cmd2 = 'mv {0} {1}'.format(output_prefix + '-trimmed-pair1.fastq',\n output_fastq1)\n cmds.append(cmd2)\n cmd3 = 'mv {0} {1}'.format(output_prefix + '-trimmed-pair2.fastq',\n output_fastq2)\n cmds.append(cmd3)\n cmd4 = 'mv {0} {1}'.format(output_prefix + '-trimmed.log', log)\n cmds.append(cmd4)\n return cmds\n", "role": "user" }, { "content": "skewer", "role": "assistant" } ]
def x(self, input_bam, output_bam, metrics_file, paired=False, cpus=16, Q=30): nodups = re.sub('\\.bam$', '', output_bam) + '.nodups.nofilter.bam' cmd1 = (self.tools.sambamba + ' markdup -t {0} -r --compression-level=0 {1} {2} 2> {3}'.format( cpus, input_bam, nodups, metrics_file)) cmd2 = self.tools.sambamba + ' view -t {0} -f bam --valid'.format(cpus) if paired: cmd2 += ' -F "not (unmapped or mate_is_unmapped) and proper_pair' else: cmd2 += ' -F "not unmapped' cmd2 += ( ' and not (secondary_alignment or supplementary) and mapping_quality >= {0}"' .format(Q)) cmd2 += ' {0} |'.format(nodups) cmd2 += self.tools.sambamba + ' sort -t {0} /dev/stdin -o {1}'.format(cpus, output_bam) cmd3 = 'if [[ -s {0} ]]; then rm {0}; fi'.format(nodups) cmd4 = 'if [[ -s {0} ]]; then rm {0}; fi'.format(nodups + '.bai') return [cmd1, cmd2, cmd3, cmd4]
filter_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bam, output_bam, metrics_file, paired=False, cpus=16, Q=30):\n nodups = re.sub('\\\\.bam$', '', output_bam) + '.nodups.nofilter.bam'\n cmd1 = (self.tools.sambamba +\n ' markdup -t {0} -r --compression-level=0 {1} {2} 2> {3}'.format(\n cpus, input_bam, nodups, metrics_file))\n cmd2 = self.tools.sambamba + ' view -t {0} -f bam --valid'.format(cpus)\n if paired:\n cmd2 += ' -F \"not (unmapped or mate_is_unmapped) and proper_pair'\n else:\n cmd2 += ' -F \"not unmapped'\n cmd2 += (\n ' and not (secondary_alignment or supplementary) and mapping_quality >= {0}\"'\n .format(Q))\n cmd2 += ' {0} |'.format(nodups)\n cmd2 += self.tools.sambamba + ' sort -t {0} /dev/stdin -o {1}'.format(cpus,\n output_bam)\n cmd3 = 'if [[ -s {0} ]]; then rm {0}; fi'.format(nodups)\n cmd4 = 'if [[ -s {0} ]]; then rm {0}; fi'.format(nodups + '.bai')\n return [cmd1, cmd2, cmd3, cmd4]\n", "role": "user" }, { "content": "filter_reads", "role": "assistant" } ]
def x(self, input_bam, output, plot, cpus): base = '{} {} -rf -savp'.format(self.tools.Rscript, self.tools.spp) cmd = base + ' -savp={} -s=0:5:500 -c={} -out={} -p={}'.format(plot, input_bam, output, cpus) return cmd
run_spp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bam, output, plot, cpus):\n base = '{} {} -rf -savp'.format(self.tools.Rscript, self.tools.spp)\n cmd = base + ' -savp={} -s=0:5:500 -c={} -out={} -p={}'.format(plot,\n input_bam, output, cpus)\n return cmd\n", "role": "user" }, { "content": "run_spp", "role": "assistant" } ]
def x(self, bam, plot, output_csv, max_insert=1500, smallest_insert=30): try: import pysam import numpy as np import matplotlib.mlab as mlab from scipy.optimize import curve_fit from scipy.integrate import simps import matplotlib matplotlib.use('Agg') import matplotlib.pyplot as plt except: print("Necessary Python modules couldn't be loaded.") return try: import seaborn as sns sns.set_style('whitegrid') except: pass def x(bam, max_insert=1500): frag_sizes = list() bam = pysam.Samfile(bam, 'rb') for i, read in enumerate(bam): if read.tlen < max_insert: frag_sizes.append(read.tlen) bam.close() return np.array(frag_sizes) def x(x, *p): m1, s1, w1, m2, s2, w2, m3, s3, w3, m4, s4, w4, q, r = p nfr = expo(x, 0.029, 0.028) nfr[:smallest_insert] = 0 return mlab.normpdf(x, m1, s1) * w1 + mlab.normpdf(x, m2, s2 ) * w2 + mlab.normpdf(x, m3, s3) * w3 + mlab.normpdf(x, m4, s4 ) * w4 + nfr def x(x, q, r): return q * np.exp(-r * x) frag_sizes = get_fragment_sizes(bam) numBins = np.linspace(0, max_insert, max_insert + 1) y, scatter_x = np.histogram(frag_sizes, numBins, density=1) x = (scatter_x[:-1] + scatter_x[1:]) / 2 paramGuess = [200, 50, 0.7, 400, 50, 0.15, 600, 50, 0.1, 800, 55, 0.045, 0.029, 0.028] try: popt3, pcov3 = curve_fit(mixture_function, x[smallest_insert:], y[ smallest_insert:], p0=paramGuess, maxfev=100000) except: print('Nucleosomal fit could not be found.') return m1, s1, w1, m2, s2, w2, m3, s3, w3, m4, s4, w4, q, r = popt3 plt.figure(figsize=(12, 12)) plt.hist(frag_sizes, numBins, histtype='step', ec='k', normed=1, alpha=0.5) plt.plot(x, mlab.normpdf(x, m1, s1) * w1, 'r-', lw=1.5, label= '1st nucleosome') plt.plot(x, mlab.normpdf(x, m2, s2) * w2, 'g-', lw=1.5, label= '2nd nucleosome') plt.plot(x, mlab.normpdf(x, m3, s3) * w3, 'b-', lw=1.5, label= '3rd nucleosome') plt.plot(x, mlab.normpdf(x, m4, s4) * w4, 'c-', lw=1.5, label= '4th nucleosome') nfr = expo(x, 0.029, 0.028) nfr[:smallest_insert] = 0 plt.plot(x, nfr, 'k-', lw=1.5, label='nucleosome-free') ys = mixture_function(x, *popt3) plt.plot(x, ys, 'k--', lw=3.5, label='fit sum') plt.legend() plt.xlabel('Fragment size (bp)') plt.ylabel('Density') plt.savefig(plot, bbox_inches='tight') areas = [['fraction', 'area under curve', 'max density'], [ 'Nucleosome-free fragments', simps(nfr), max(nfr)], [ '1st nucleosome', simps(mlab.normpdf(x, m1, s1) * w1), max(mlab. normpdf(x, m1, s1) * w1)], ['2nd nucleosome', simps(mlab.normpdf(x, m2, s2) * w1), max(mlab.normpdf(x, m2, s2) * w2)], [ '3rd nucleosome', simps(mlab.normpdf(x, m3, s3) * w1), max(mlab. normpdf(x, m3, s3) * w3)], ['4th nucleosome', simps(mlab.normpdf(x, m4, s4) * w1), max(mlab.normpdf(x, m4, s4) * w4)]] try: import csv with open(output_csv, 'w') as f: writer = csv.writer(f) writer.writerows(areas) except: pass
plot_atacseq_insert_sizes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bam, plot, output_csv, max_insert=1500, smallest_insert=30):\n try:\n import pysam\n import numpy as np\n import matplotlib.mlab as mlab\n from scipy.optimize import curve_fit\n from scipy.integrate import simps\n import matplotlib\n matplotlib.use('Agg')\n import matplotlib.pyplot as plt\n except:\n print(\"Necessary Python modules couldn't be loaded.\")\n return\n try:\n import seaborn as sns\n sns.set_style('whitegrid')\n except:\n pass\n\n def x(bam, max_insert=1500):\n frag_sizes = list()\n bam = pysam.Samfile(bam, 'rb')\n for i, read in enumerate(bam):\n if read.tlen < max_insert:\n frag_sizes.append(read.tlen)\n bam.close()\n return np.array(frag_sizes)\n\n def x(x, *p):\n m1, s1, w1, m2, s2, w2, m3, s3, w3, m4, s4, w4, q, r = p\n nfr = expo(x, 0.029, 0.028)\n nfr[:smallest_insert] = 0\n return mlab.normpdf(x, m1, s1) * w1 + mlab.normpdf(x, m2, s2\n ) * w2 + mlab.normpdf(x, m3, s3) * w3 + mlab.normpdf(x, m4, s4\n ) * w4 + nfr\n\n def x(x, q, r):\n return q * np.exp(-r * x)\n frag_sizes = get_fragment_sizes(bam)\n numBins = np.linspace(0, max_insert, max_insert + 1)\n y, scatter_x = np.histogram(frag_sizes, numBins, density=1)\n x = (scatter_x[:-1] + scatter_x[1:]) / 2\n paramGuess = [200, 50, 0.7, 400, 50, 0.15, 600, 50, 0.1, 800, 55, 0.045,\n 0.029, 0.028]\n try:\n popt3, pcov3 = curve_fit(mixture_function, x[smallest_insert:], y[\n smallest_insert:], p0=paramGuess, maxfev=100000)\n except:\n print('Nucleosomal fit could not be found.')\n return\n m1, s1, w1, m2, s2, w2, m3, s3, w3, m4, s4, w4, q, r = popt3\n plt.figure(figsize=(12, 12))\n plt.hist(frag_sizes, numBins, histtype='step', ec='k', normed=1, alpha=0.5)\n plt.plot(x, mlab.normpdf(x, m1, s1) * w1, 'r-', lw=1.5, label=\n '1st nucleosome')\n plt.plot(x, mlab.normpdf(x, m2, s2) * w2, 'g-', lw=1.5, label=\n '2nd nucleosome')\n plt.plot(x, mlab.normpdf(x, m3, s3) * w3, 'b-', lw=1.5, label=\n '3rd nucleosome')\n plt.plot(x, mlab.normpdf(x, m4, s4) * w4, 'c-', lw=1.5, label=\n '4th nucleosome')\n nfr = expo(x, 0.029, 0.028)\n nfr[:smallest_insert] = 0\n plt.plot(x, nfr, 'k-', lw=1.5, label='nucleosome-free')\n ys = mixture_function(x, *popt3)\n plt.plot(x, ys, 'k--', lw=3.5, label='fit sum')\n plt.legend()\n plt.xlabel('Fragment size (bp)')\n plt.ylabel('Density')\n plt.savefig(plot, bbox_inches='tight')\n areas = [['fraction', 'area under curve', 'max density'], [\n 'Nucleosome-free fragments', simps(nfr), max(nfr)], [\n '1st nucleosome', simps(mlab.normpdf(x, m1, s1) * w1), max(mlab.\n normpdf(x, m1, s1) * w1)], ['2nd nucleosome', simps(mlab.normpdf(x,\n m2, s2) * w1), max(mlab.normpdf(x, m2, s2) * w2)], [\n '3rd nucleosome', simps(mlab.normpdf(x, m3, s3) * w1), max(mlab.\n normpdf(x, m3, s3) * w3)], ['4th nucleosome', simps(mlab.normpdf(x,\n m4, s4) * w1), max(mlab.normpdf(x, m4, s4) * w4)]]\n try:\n import csv\n with open(output_csv, 'w') as f:\n writer = csv.writer(f)\n writer.writerows(areas)\n except:\n pass\n", "role": "user" }, { "content": "plot_atacseq_insert_sizes", "role": "assistant" } ]
def x(self, input_bam, output_bigwig, genome_sizes, genome, tagmented=False, normalize=False, norm_factor=1000): cmds = list() transient_file = os.path.abspath(re.sub('\\.bigWig', '', output_bigwig)) cmd1 = self.tools.bedtools + ' bamtobed -i {0} |'.format(input_bam) if not tagmented: cmd1 += (' ' + self.tools.bedtools + ' slop -i stdin -g {0} -s -l 0 -r 130 |'.format(genome_sizes)) cmd1 += ' fix_bedfile_genome_boundaries.py {0} |'.format(genome) cmd1 += (' ' + self.tools.genomeCoverageBed + ' {0}-bg -g {1} -i stdin > {2}.cov'.format('-5 ' if tagmented else '', genome_sizes, transient_file)) cmds.append(cmd1) if normalize: cmds.append( "awk 'NR==FNR{{sum+= $4; next}}{{ $4 = ($4 / sum) * {1}; print}}' {0}.cov {0}.cov | sort -k1,1 -k2,2n > {0}.normalized.cov" .format(transient_file, norm_factor)) cmds.append(self.tools.bedGraphToBigWig + ' {0}{1}.cov {2} {3}'.format( transient_file, '.normalized' if normalize else '', genome_sizes, output_bigwig)) cmds.append('if [[ -s {0}.cov ]]; then rm {0}.cov; fi'.format( transient_file)) if normalize: cmds.append( 'if [[ -s {0}.normalized.cov ]]; then rm {0}.normalized.cov; fi' .format(transient_file)) cmds.append('chmod 755 {0}'.format(output_bigwig)) return cmds
bam_to_bigwig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bam, output_bigwig, genome_sizes, genome, tagmented=False,\n normalize=False, norm_factor=1000):\n cmds = list()\n transient_file = os.path.abspath(re.sub('\\\\.bigWig', '', output_bigwig))\n cmd1 = self.tools.bedtools + ' bamtobed -i {0} |'.format(input_bam)\n if not tagmented:\n cmd1 += (' ' + self.tools.bedtools +\n ' slop -i stdin -g {0} -s -l 0 -r 130 |'.format(genome_sizes))\n cmd1 += ' fix_bedfile_genome_boundaries.py {0} |'.format(genome)\n cmd1 += (' ' + self.tools.genomeCoverageBed +\n ' {0}-bg -g {1} -i stdin > {2}.cov'.format('-5 ' if tagmented else\n '', genome_sizes, transient_file))\n cmds.append(cmd1)\n if normalize:\n cmds.append(\n \"awk 'NR==FNR{{sum+= $4; next}}{{ $4 = ($4 / sum) * {1}; print}}' {0}.cov {0}.cov | sort -k1,1 -k2,2n > {0}.normalized.cov\"\n .format(transient_file, norm_factor))\n cmds.append(self.tools.bedGraphToBigWig + ' {0}{1}.cov {2} {3}'.format(\n transient_file, '.normalized' if normalize else '', genome_sizes,\n output_bigwig))\n cmds.append('if [[ -s {0}.cov ]]; then rm {0}.cov; fi'.format(\n transient_file))\n if normalize:\n cmds.append(\n 'if [[ -s {0}.normalized.cov ]]; then rm {0}.normalized.cov; fi'\n .format(transient_file))\n cmds.append('chmod 755 {0}'.format(output_bigwig))\n return cmds\n", "role": "user" }, { "content": "bam_to_bigwig", "role": "assistant" } ]
def x(self, input_bam, input_bed, threads=4): cmd = self.simple_frip(input_bam, input_bed, threads) return subprocess.check_output(cmd.split(' '), shell=True)
calc_frip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_bam, input_bed, threads=4):\n cmd = self.simple_frip(input_bam, input_bed, threads)\n return subprocess.check_output(cmd.split(' '), shell=True)\n", "role": "user" }, { "content": "calc_frip", "role": "assistant" } ]
def x(self, treatment_bams, output_dir, sample_name, genome, control_bams= None, broad=False, paired=False, pvalue=None, qvalue=None, include_significance=None): sizes = {'hg38': 2700000000.0, 'hg19': 2700000000.0, 'mm10': 1870000000.0, 'dr7': 1412000000.0, 'mm9': 1870000000.0} if include_significance is None: include_significance = broad cmd = self.tools.macs2 + ' callpeak -t {0}'.format(treatment_bams if type(treatment_bams) is str else ' '.join(treatment_bams)) if control_bams is not None: cmd += ' -c {0}'.format(control_bams if type(control_bams) is str else ' '.join(control_bams)) if paired: cmd += ' -f BAMPE ' if broad: cmd += ' --broad --nomodel --extsize 73' else: cmd += ' --fix-bimodal --extsize 180 --bw 200' if include_significance: if qvalue is not None: cmd += ' --qvalue {}'.format(qvalue) else: cmd += ' --pvalue {}'.format(pvalue or 1e-05) cmd += ' -g {0} -n {1} --outdir {2}'.format(sizes[genome], sample_name, output_dir) return cmd
macs2_call_peaks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, treatment_bams, output_dir, sample_name, genome, control_bams=\n None, broad=False, paired=False, pvalue=None, qvalue=None,\n include_significance=None):\n sizes = {'hg38': 2700000000.0, 'hg19': 2700000000.0, 'mm10': \n 1870000000.0, 'dr7': 1412000000.0, 'mm9': 1870000000.0}\n if include_significance is None:\n include_significance = broad\n cmd = self.tools.macs2 + ' callpeak -t {0}'.format(treatment_bams if \n type(treatment_bams) is str else ' '.join(treatment_bams))\n if control_bams is not None:\n cmd += ' -c {0}'.format(control_bams if type(control_bams) is str else\n ' '.join(control_bams))\n if paired:\n cmd += ' -f BAMPE '\n if broad:\n cmd += ' --broad --nomodel --extsize 73'\n else:\n cmd += ' --fix-bimodal --extsize 180 --bw 200'\n if include_significance:\n if qvalue is not None:\n cmd += ' --qvalue {}'.format(qvalue)\n else:\n cmd += ' --pvalue {}'.format(pvalue or 1e-05)\n cmd += ' -g {0} -n {1} --outdir {2}'.format(sizes[genome], sample_name,\n output_dir)\n return cmd\n", "role": "user" }, { "content": "macs2_call_peaks", "role": "assistant" } ]
def x(self, treatment_bam, control_bam, treatment_name, control_name, output_dir, broad, cpus, qvalue=None): broad = 'TRUE' if broad else 'FALSE' cmd = (self.tools.Rscript + ' `which spp_peak_calling.R` {0} {1} {2} {3} {4} {5} {6}'.format( treatment_bam, control_bam, treatment_name, control_name, broad, cpus, output_dir)) if qvalue is not None: cmd += ' {}'.format(qvalue) return cmd
spp_call_peaks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, treatment_bam, control_bam, treatment_name, control_name,\n output_dir, broad, cpus, qvalue=None):\n broad = 'TRUE' if broad else 'FALSE'\n cmd = (self.tools.Rscript +\n ' `which spp_peak_calling.R` {0} {1} {2} {3} {4} {5} {6}'.format(\n treatment_bam, control_bam, treatment_name, control_name, broad,\n cpus, output_dir))\n if qvalue is not None:\n cmd += ' {}'.format(qvalue)\n return cmd\n", "role": "user" }, { "content": "spp_call_peaks", "role": "assistant" } ]
def x(self, bam_file, n=10): from collections import Counter try: p = subprocess.Popen([self.tools.samtools, 'view', bam_file], stdout=subprocess.PIPE) paired = 0 read_length = Counter() while n > 0: line = p.stdout.next().split('\t') flag = int(line[1]) read_length[len(line[9])] += 1 if 1 & flag: paired += 1 n -= 1 p.kill() except IOError('Cannot read provided bam file.') as e: raise e read_length = sorted(read_length)[-1] if paired > n / 2.0: return 'PE', read_length else: return 'SE', read_length
get_read_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bam_file, n=10):\n from collections import Counter\n try:\n p = subprocess.Popen([self.tools.samtools, 'view', bam_file],\n stdout=subprocess.PIPE)\n paired = 0\n read_length = Counter()\n while n > 0:\n line = p.stdout.next().split('\\t')\n flag = int(line[1])\n read_length[len(line[9])] += 1\n if 1 & flag:\n paired += 1\n n -= 1\n p.kill()\n except IOError('Cannot read provided bam file.') as e:\n raise e\n read_length = sorted(read_length)[-1]\n if paired > n / 2.0:\n return 'PE', read_length\n else:\n return 'SE', read_length\n", "role": "user" }, { "content": "get_read_type", "role": "assistant" } ]
def x(self, stats_file): import pandas as pd stats = pd.Series(index=['readCount', 'unpaired', 'unaligned', 'unique', 'multiple', 'alignmentRate']) try: with open(stats_file) as handle: content = handle.readlines() except: return stats try: line = [i for i in range(len(content)) if ' reads; of these:' in content[i]][0] stats['readCount'] = re.sub('\\D.*', '', content[line]) if 7 > len(content) > 2: line = [i for i in range(len(content)) if 'were unpaired; of these:' in content[i]][0] stats['unpaired'] = re.sub('\\D', '', re.sub('\\(.*', '', content[line])) else: line = [i for i in range(len(content)) if 'were paired; of these:' in content[i]][0] stats['unpaired'] = stats['readCount'] - int(re.sub('\\D', '', re.sub('\\(.*', '', content[line]))) line = [i for i in range(len(content)) if 'aligned 0 times' in content[i]][0] stats['unaligned'] = re.sub('\\D', '', re.sub('\\(.*', '', content[ line])) line = [i for i in range(len(content)) if 'aligned exactly 1 time' in content[i]][0] stats['unique'] = re.sub('\\D', '', re.sub('\\(.*', '', content[line])) line = [i for i in range(len(content)) if 'aligned >1 times' in content[i]][0] stats['multiple'] = re.sub('\\D', '', re.sub('\\(.*', '', content[ line])) line = [i for i in range(len(content)) if 'overall alignment rate' in content[i]][0] stats['alignmentRate'] = re.sub('\\%.*', '', content[line]).strip() except IndexError: pass return stats
parse_bowtie_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stats_file):\n import pandas as pd\n stats = pd.Series(index=['readCount', 'unpaired', 'unaligned', 'unique',\n 'multiple', 'alignmentRate'])\n try:\n with open(stats_file) as handle:\n content = handle.readlines()\n except:\n return stats\n try:\n line = [i for i in range(len(content)) if ' reads; of these:' in\n content[i]][0]\n stats['readCount'] = re.sub('\\\\D.*', '', content[line])\n if 7 > len(content) > 2:\n line = [i for i in range(len(content)) if \n 'were unpaired; of these:' in content[i]][0]\n stats['unpaired'] = re.sub('\\\\D', '', re.sub('\\\\(.*', '',\n content[line]))\n else:\n line = [i for i in range(len(content)) if \n 'were paired; of these:' in content[i]][0]\n stats['unpaired'] = stats['readCount'] - int(re.sub('\\\\D', '',\n re.sub('\\\\(.*', '', content[line])))\n line = [i for i in range(len(content)) if 'aligned 0 times' in\n content[i]][0]\n stats['unaligned'] = re.sub('\\\\D', '', re.sub('\\\\(.*', '', content[\n line]))\n line = [i for i in range(len(content)) if 'aligned exactly 1 time' in\n content[i]][0]\n stats['unique'] = re.sub('\\\\D', '', re.sub('\\\\(.*', '', content[line]))\n line = [i for i in range(len(content)) if 'aligned >1 times' in\n content[i]][0]\n stats['multiple'] = re.sub('\\\\D', '', re.sub('\\\\(.*', '', content[\n line]))\n line = [i for i in range(len(content)) if 'overall alignment rate' in\n content[i]][0]\n stats['alignmentRate'] = re.sub('\\\\%.*', '', content[line]).strip()\n except IndexError:\n pass\n return stats\n", "role": "user" }, { "content": "parse_bowtie_stats", "role": "assistant" } ]
def x(self, stats_file): import pandas as pd series = pd.Series() try: with open(stats_file) as handle: content = handle.readlines() except: return series try: line = [i for i in range(len(content)) if 'single ends (among them ' in content[i]][0] series['single-ends'] = re.sub('\\D', '', re.sub('\\(.*', '', content[line])) line = [i for i in range(len(content)) if ' end pairs... done in ' in content[i]][0] series['paired-ends'] = re.sub('\\D', '', re.sub('\\.\\.\\..*', '', content[line])) line = [i for i in range(len(content)) if ' duplicates, sorting the list... done in ' in content[i]][0] series['duplicates'] = re.sub('\\D', '', re.sub('\\.\\.\\..*', '', content[line])) except IndexError: pass return series
parse_duplicate_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stats_file):\n import pandas as pd\n series = pd.Series()\n try:\n with open(stats_file) as handle:\n content = handle.readlines()\n except:\n return series\n try:\n line = [i for i in range(len(content)) if \n 'single ends (among them ' in content[i]][0]\n series['single-ends'] = re.sub('\\\\D', '', re.sub('\\\\(.*', '',\n content[line]))\n line = [i for i in range(len(content)) if \n ' end pairs... done in ' in content[i]][0]\n series['paired-ends'] = re.sub('\\\\D', '', re.sub('\\\\.\\\\.\\\\..*', '',\n content[line]))\n line = [i for i in range(len(content)) if \n ' duplicates, sorting the list... done in ' in content[i]][0]\n series['duplicates'] = re.sub('\\\\D', '', re.sub('\\\\.\\\\.\\\\..*', '',\n content[line]))\n except IndexError:\n pass\n return series\n", "role": "user" }, { "content": "parse_duplicate_stats", "role": "assistant" } ]
def x(self, qc_file): import pandas as pd series = pd.Series() try: with open(qc_file) as handle: line = handle.readlines()[0].strip().split('\t') series['NSC'] = line[-3] series['RSC'] = line[-2] series['qualityTag'] = line[-1] except: pass return series
parse_qc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, qc_file):\n import pandas as pd\n series = pd.Series()\n try:\n with open(qc_file) as handle:\n line = handle.readlines()[0].strip().split('\\t')\n series['NSC'] = line[-3]\n series['RSC'] = line[-2]\n series['qualityTag'] = line[-1]\n except:\n pass\n return series\n", "role": "user" }, { "content": "parse_qc", "role": "assistant" } ]
def x(self, sample): proc = subprocess.Popen(['wc', '-l', sample.peaks], stdout=subprocess.PIPE) out, err = proc.communicate() sample['peakNumber'] = re.sub('\\D.*', '', out) return sample
get_peak_number
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sample):\n proc = subprocess.Popen(['wc', '-l', sample.peaks], stdout=subprocess.PIPE)\n out, err = proc.communicate()\n sample['peakNumber'] = re.sub('\\\\D.*', '', out)\n return sample\n", "role": "user" }, { "content": "get_peak_number", "role": "assistant" } ]
def x(self, sample): import pandas as pd with open(sample.frip, 'r') as handle: content = handle.readlines() reads_in_peaks = int(re.sub('\\D', '', content[0])) mapped_reads = sample['readCount'] - sample['unaligned'] return pd.Series(reads_in_peaks / mapped_reads, index='FRiP')
get_frip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sample):\n import pandas as pd\n with open(sample.frip, 'r') as handle:\n content = handle.readlines()\n reads_in_peaks = int(re.sub('\\\\D', '', content[0]))\n mapped_reads = sample['readCount'] - sample['unaligned']\n return pd.Series(reads_in_peaks / mapped_reads, index='FRiP')\n", "role": "user" }, { "content": "get_frip", "role": "assistant" } ]
def x(self): signal.signal(signal.SIGINT, signal.SIG_IGN) signal.signal(signal.SIGTERM, signal.SIG_IGN)
ignore_interrupts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n signal.signal(signal.SIGINT, signal.SIG_IGN)\n signal.signal(signal.SIGTERM, signal.SIG_IGN)\n", "role": "user" }, { "content": "ignore_interrupts", "role": "assistant" } ]
def x(self, args=None, multi=False): self.make_sure_path_exists(self.outfolder) interactive_mode = multi or not hasattr(__main__, '__file__') if interactive_mode: print( "Warning: You're running an interactive python session. This works, but pypiper cannot tee the output, so results are only logged to screen." ) else: sys.stdout = Unbuffered(sys.stdout) tee = subprocess.Popen(['tee', '-a', self.pipeline_log_file], stdin =subprocess.PIPE, preexec_fn=self._ignore_interrupts) os.dup2(tee.stdin.fileno(), sys.stdout.fileno()) os.dup2(tee.stdin.fileno(), sys.stderr.fileno()) self.tee = tee atexit.register(self._exit_handler) gitvars = {} try: ppd = os.path.dirname(os.path.realpath(__file__)) gitvars['pypiper_dir'] = ppd gitvars['pypiper_hash'] = subprocess.check_output('cd ' + ppd + '; git rev-parse --verify HEAD 2>/dev/null', shell=True) gitvars['pypiper_date'] = subprocess.check_output('cd ' + ppd + '; git show -s --format=%ai HEAD 2>/dev/null', shell=True) gitvars['pypiper_diff'] = subprocess.check_output('cd ' + ppd + '; git diff --shortstat HEAD 2>/dev/null', shell=True) gitvars['pypiper_branch'] = subprocess.check_output('cd ' + ppd + "; git branch | grep '*' 2>/dev/null", shell=True) except Exception: pass try: pld = os.path.dirname(os.path.realpath(sys.argv[0])) gitvars['pipe_dir'] = pld gitvars['pipe_hash'] = subprocess.check_output('cd ' + pld + '; git rev-parse --verify HEAD 2>/dev/null', shell=True) gitvars['pipe_date'] = subprocess.check_output('cd ' + pld + '; git show -s --format=%ai HEAD 2>/dev/null', shell=True) gitvars['pipe_diff'] = subprocess.check_output('cd ' + pld + '; git diff --shortstat HEAD 2>/dev/null', shell=True) gitvars['pipe_branch'] = subprocess.check_output('cd ' + pld + "; git branch | grep '*' 2>/dev/null", shell=True) except Exception: pass print('### [Pipeline run code and environment:]\n') print('* ' + 'Command'.rjust(20) + ': ' + '`' + str(' '.join(sys.argv) ) + '`') print('* ' + 'Compute host'.rjust(20) + ': ' + platform.node()) print('* ' + 'Working dir'.rjust(20) + ': ' + os.getcwd()) print('* ' + 'Outfolder'.rjust(20) + ': ' + self.outfolder) self.timestamp('* ' + 'Pipeline started at'.rjust(20) + ': ') print('\n### [Version log:]\n') print('* ' + 'Python version'.rjust(20) + ': ' + platform.python_version() ) try: print('* ' + 'Pypiper dir'.rjust(20) + ': ' + '`' + gitvars[ 'pypiper_dir'].strip() + '`') print('* ' + 'Pypiper version'.rjust(20) + ': ' + __version__) print('* ' + 'Pypiper hash'.rjust(20) + ': ' + str(gitvars[ 'pypiper_hash']).strip()) print('* ' + 'Pypiper branch'.rjust(20) + ': ' + str(gitvars[ 'pypiper_branch']).strip()) print('* ' + 'Pypiper date'.rjust(20) + ': ' + str(gitvars[ 'pypiper_date']).strip()) if '' != str(gitvars['pypiper_diff']): print('* ' + 'Pypiper diff'.rjust(20) + ': ' + str(gitvars[ 'pypiper_diff']).strip()) except KeyError: pass try: print('* ' + 'Pipeline dir'.rjust(20) + ': ' + '`' + gitvars[ 'pipe_dir'].strip() + '`') print('* ' + 'Pipeline version'.rjust(20) + ': ' + str(self. pl_version)) print('* ' + 'Pipeline hash'.rjust(20) + ': ' + str(gitvars[ 'pipe_hash']).strip()) print('* ' + 'Pipeline branch'.rjust(20) + ': ' + str(gitvars[ 'pipe_branch']).strip()) print('* ' + 'Pipeline date'.rjust(20) + ': ' + str(gitvars[ 'pipe_date']).strip()) if gitvars['pipe_diff'] != '': print('* ' + 'Pipeline diff'.rjust(20) + ': ' + str(gitvars[ 'pipe_diff']).strip()) except KeyError: pass print('\n### [Arguments passed to pipeline:]\n') for arg, val in (vars(args) if args else dict()).items(): argtext = '`{}`'.format(arg) valtext = '`{}`'.format(val) print('* {}: {}'.format(argtext.rjust(20), valtext)) print('\n----------------------------------------\n') self._set_status_flag(RUN_FLAG) with open(self.pipeline_commands_file, 'a') as myfile: myfile.write('# Pipeline started at ' + time.strftime( '%m-%d %H:%M:%S', time.localtime(self.starttime)) + '\n\n') with open(self.pipeline_profile_file, 'a') as myfile: myfile.write('# Pipeline started at ' + time.strftime( '%m-%d %H:%M:%S', time.localtime(self.starttime)) + '\n\n')
start_pipeline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args=None, multi=False):\n self.make_sure_path_exists(self.outfolder)\n interactive_mode = multi or not hasattr(__main__, '__file__')\n if interactive_mode:\n print(\n \"Warning: You're running an interactive python session. This works, but pypiper cannot tee the output, so results are only logged to screen.\"\n )\n else:\n sys.stdout = Unbuffered(sys.stdout)\n tee = subprocess.Popen(['tee', '-a', self.pipeline_log_file], stdin\n =subprocess.PIPE, preexec_fn=self._ignore_interrupts)\n os.dup2(tee.stdin.fileno(), sys.stdout.fileno())\n os.dup2(tee.stdin.fileno(), sys.stderr.fileno())\n self.tee = tee\n atexit.register(self._exit_handler)\n gitvars = {}\n try:\n ppd = os.path.dirname(os.path.realpath(__file__))\n gitvars['pypiper_dir'] = ppd\n gitvars['pypiper_hash'] = subprocess.check_output('cd ' + ppd +\n '; git rev-parse --verify HEAD 2>/dev/null', shell=True)\n gitvars['pypiper_date'] = subprocess.check_output('cd ' + ppd +\n '; git show -s --format=%ai HEAD 2>/dev/null', shell=True)\n gitvars['pypiper_diff'] = subprocess.check_output('cd ' + ppd +\n '; git diff --shortstat HEAD 2>/dev/null', shell=True)\n gitvars['pypiper_branch'] = subprocess.check_output('cd ' + ppd +\n \"; git branch | grep '*' 2>/dev/null\", shell=True)\n except Exception:\n pass\n try:\n pld = os.path.dirname(os.path.realpath(sys.argv[0]))\n gitvars['pipe_dir'] = pld\n gitvars['pipe_hash'] = subprocess.check_output('cd ' + pld +\n '; git rev-parse --verify HEAD 2>/dev/null', shell=True)\n gitvars['pipe_date'] = subprocess.check_output('cd ' + pld +\n '; git show -s --format=%ai HEAD 2>/dev/null', shell=True)\n gitvars['pipe_diff'] = subprocess.check_output('cd ' + pld +\n '; git diff --shortstat HEAD 2>/dev/null', shell=True)\n gitvars['pipe_branch'] = subprocess.check_output('cd ' + pld +\n \"; git branch | grep '*' 2>/dev/null\", shell=True)\n except Exception:\n pass\n print('### [Pipeline run code and environment:]\\n')\n print('* ' + 'Command'.rjust(20) + ': ' + '`' + str(' '.join(sys.argv)\n ) + '`')\n print('* ' + 'Compute host'.rjust(20) + ': ' + platform.node())\n print('* ' + 'Working dir'.rjust(20) + ': ' + os.getcwd())\n print('* ' + 'Outfolder'.rjust(20) + ': ' + self.outfolder)\n self.timestamp('* ' + 'Pipeline started at'.rjust(20) + ': ')\n print('\\n### [Version log:]\\n')\n print('* ' + 'Python version'.rjust(20) + ': ' + platform.python_version()\n )\n try:\n print('* ' + 'Pypiper dir'.rjust(20) + ': ' + '`' + gitvars[\n 'pypiper_dir'].strip() + '`')\n print('* ' + 'Pypiper version'.rjust(20) + ': ' + __version__)\n print('* ' + 'Pypiper hash'.rjust(20) + ': ' + str(gitvars[\n 'pypiper_hash']).strip())\n print('* ' + 'Pypiper branch'.rjust(20) + ': ' + str(gitvars[\n 'pypiper_branch']).strip())\n print('* ' + 'Pypiper date'.rjust(20) + ': ' + str(gitvars[\n 'pypiper_date']).strip())\n if '' != str(gitvars['pypiper_diff']):\n print('* ' + 'Pypiper diff'.rjust(20) + ': ' + str(gitvars[\n 'pypiper_diff']).strip())\n except KeyError:\n pass\n try:\n print('* ' + 'Pipeline dir'.rjust(20) + ': ' + '`' + gitvars[\n 'pipe_dir'].strip() + '`')\n print('* ' + 'Pipeline version'.rjust(20) + ': ' + str(self.\n pl_version))\n print('* ' + 'Pipeline hash'.rjust(20) + ': ' + str(gitvars[\n 'pipe_hash']).strip())\n print('* ' + 'Pipeline branch'.rjust(20) + ': ' + str(gitvars[\n 'pipe_branch']).strip())\n print('* ' + 'Pipeline date'.rjust(20) + ': ' + str(gitvars[\n 'pipe_date']).strip())\n if gitvars['pipe_diff'] != '':\n print('* ' + 'Pipeline diff'.rjust(20) + ': ' + str(gitvars[\n 'pipe_diff']).strip())\n except KeyError:\n pass\n print('\\n### [Arguments passed to pipeline:]\\n')\n for arg, val in (vars(args) if args else dict()).items():\n argtext = '`{}`'.format(arg)\n valtext = '`{}`'.format(val)\n print('* {}: {}'.format(argtext.rjust(20), valtext))\n print('\\n----------------------------------------\\n')\n self._set_status_flag(RUN_FLAG)\n with open(self.pipeline_commands_file, 'a') as myfile:\n myfile.write('# Pipeline started at ' + time.strftime(\n '%m-%d %H:%M:%S', time.localtime(self.starttime)) + '\\n\\n')\n with open(self.pipeline_profile_file, 'a') as myfile:\n myfile.write('# Pipeline started at ' + time.strftime(\n '%m-%d %H:%M:%S', time.localtime(self.starttime)) + '\\n\\n')\n", "role": "user" }, { "content": "start_pipeline", "role": "assistant" } ]
def x(self, status): flag_file_path = self._flag_file_path() try: os.remove(flag_file_path) except: if self.status != 'initializing': print("Could not remove flag file: '{}'".format(flag_file_path)) pass prev_status = self.status self.status = status self._create_file(self._flag_file_path()) print('\nChanged status from {} to {}.'.format(prev_status, self.status))
set_status_flag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status):\n flag_file_path = self._flag_file_path()\n try:\n os.remove(flag_file_path)\n except:\n if self.status != 'initializing':\n print(\"Could not remove flag file: '{}'\".format(flag_file_path))\n pass\n prev_status = self.status\n self.status = status\n self._create_file(self._flag_file_path())\n print('\\nChanged status from {} to {}.'.format(prev_status, self.status))\n", "role": "user" }, { "content": "set_status_flag", "role": "assistant" } ]