source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, inplace=False):
matrix = self.center_genes(inplace=inplace)
matrix.X[:, :] = matrix.X / np.tile(np.std(matrix.X, axis=1, ddof=1), (
matrix.n, 1)).T
return matrix
| standardize_genes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inplace=False):\n matrix = self.center_genes(inplace=inplace)\n matrix.X[:, :] = matrix.X / np.tile(np.std(matrix.X, axis=1, ddof=1), (\n matrix.n, 1)).T\n return matrix\n",
"role": "user"
},
{
"content": "standardize_genes",
"role": "assistant"
}
] |
def x(self, gene_names: Iterable[str], inplace=False):
return self.drop(set(self.genes) - set(gene_names), inplace=inplace)
| filter_genes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gene_names: Iterable[str], inplace=False):\n return self.drop(set(self.genes) - set(gene_names), inplace=inplace)\n",
"role": "user"
},
{
"content": "filter_genes",
"role": "assistant"
}
] |
def x(self):
C = np.corrcoef(self.X.T)
corr_matrix = ExpMatrix(genes=self.samples, samples=self.samples, X=C)
return corr_matrix
| sample_correlations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n C = np.corrcoef(self.X.T)\n corr_matrix = ExpMatrix(genes=self.samples, samples=self.samples, X=C)\n return corr_matrix\n",
"role": "user"
},
{
"content": "sample_correlations",
"role": "assistant"
}
] |
def x(cls, file_path: str, gene_table: ExpGeneTable=None, encoding: str=
'UTF-8', sep: str='\t'):
matrix = cls(pd.read_csv(file_path, sep=sep, index_col=0, header=0,
encoding=encoding))
ind = pd.read_csv(file_path, sep=sep, usecols=[0], header=None,
skiprows=1, encoding=encoding, na_filter=False)
matrix.index = ind.iloc[:, 0]
matrix.index.name = 'Genes'
if gene_table is not None:
matrix = matrix.filter_genes(gene_table.gene_names)
return matrix
| read_tsv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_path: str, gene_table: ExpGeneTable=None, encoding: str=\n 'UTF-8', sep: str='\\t'):\n matrix = cls(pd.read_csv(file_path, sep=sep, index_col=0, header=0,\n encoding=encoding))\n ind = pd.read_csv(file_path, sep=sep, usecols=[0], header=None,\n skiprows=1, encoding=encoding, na_filter=False)\n matrix.index = ind.iloc[:, 0]\n matrix.index.name = 'Genes'\n if gene_table is not None:\n matrix = matrix.filter_genes(gene_table.gene_names)\n return matrix\n",
"role": "user"
},
{
"content": "read_tsv",
"role": "assistant"
}
] |
def x(self, file_path: str, encoding: str='UTF-8', sep: str='\t'):
self.to_csv(file_path, sep=sep, float_format='%.5f', mode='w', encoding
=encoding, quoting=csv.QUOTE_NONE)
_LOGGER.info('Wrote %d x %d expression matrix to "%s".', self.p, self.n,
file_path)
| write_tsv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path: str, encoding: str='UTF-8', sep: str='\\t'):\n self.to_csv(file_path, sep=sep, float_format='%.5f', mode='w', encoding\n =encoding, quoting=csv.QUOTE_NONE)\n _LOGGER.info('Wrote %d x %d expression matrix to \"%s\".', self.p, self.n,\n file_path)\n",
"role": "user"
},
{
"content": "write_tsv",
"role": "assistant"
}
] |
def x(self, file_path: str):
coo = sparse.coo_matrix(self.X)
data = OrderedDict([(0, coo.row + 1), (1, coo.col + 1), (2, coo.data)])
df = pd.DataFrame(data, columns=data.keys())
with open(file_path, 'w') as ofh:
ofh.write('%%MatrixMarket matrix coordinate real general\n')
ofh.write('%%%s\n' % '\t'.join(self.genes.astype(str)))
ofh.write('%%%s\n' % '\t'.join(self.cells.astype(str)))
ofh.write('%\n')
ofh.write('%d %d %d\n' % (coo.shape[0], coo.shape[1], coo.nnz))
df.to_csv(ofh, sep=' ', float_format='%.5f', header=None, index=None)
| write_sparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path: str):\n coo = sparse.coo_matrix(self.X)\n data = OrderedDict([(0, coo.row + 1), (1, coo.col + 1), (2, coo.data)])\n df = pd.DataFrame(data, columns=data.keys())\n with open(file_path, 'w') as ofh:\n ofh.write('%%MatrixMarket matrix coordinate real general\\n')\n ofh.write('%%%s\\n' % '\\t'.join(self.genes.astype(str)))\n ofh.write('%%%s\\n' % '\\t'.join(self.cells.astype(str)))\n ofh.write('%\\n')\n ofh.write('%d %d %d\\n' % (coo.shape[0], coo.shape[1], coo.nnz))\n df.to_csv(ofh, sep=' ', float_format='%.5f', header=None, index=None)\n",
"role": "user"
},
{
"content": "write_sparse",
"role": "assistant"
}
] |
def x(cls, file_path: str):
with open(file_path) as fh:
next(fh)
genes = next(fh)[1:-1].split('\t')
cells = next(fh)[1:-1].split('\t')
next(fh)
m, n, nnz = [int(s) for s in next(fh)[:-1].split(' ')]
t = pd.read_csv(file_path, sep=' ', skiprows=5, header=None, dtype={(0):
np.uint32, (1): np.uint32})
i = t[0].values - 1
j = t[1].values - 1
data = t[2].values
assert data.size == nnz
X = sparse.coo_matrix((data, (i, j)), shape=[m, n]).todense()
return cls(X=X, genes=genes, cells=cells)
| read_sparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_path: str):\n with open(file_path) as fh:\n next(fh)\n genes = next(fh)[1:-1].split('\\t')\n cells = next(fh)[1:-1].split('\\t')\n next(fh)\n m, n, nnz = [int(s) for s in next(fh)[:-1].split(' ')]\n t = pd.read_csv(file_path, sep=' ', skiprows=5, header=None, dtype={(0):\n np.uint32, (1): np.uint32})\n i = t[0].values - 1\n j = t[1].values - 1\n data = t[2].values\n assert data.size == nnz\n X = sparse.coo_matrix((data, (i, j)), shape=[m, n]).todense()\n return cls(X=X, genes=genes, cells=cells)\n",
"role": "user"
},
{
"content": "read_sparse",
"role": "assistant"
}
] |
def x(cls, tarball_fpath: str, prefix: str, use_ensembl_ids: bool=False):
_LOGGER.info('Reading file: %s', tarball_fpath)
with tarfile.open(tarball_fpath, mode='r:gz') as tf:
ti = tf.getmember('%smatrix.mtx' % prefix)
with tf.extractfile(ti) as fh:
mtx = scipy.io.mmread(fh)
ti = tf.getmember('%sgenes.tsv' % prefix)
with tf.extractfile(ti) as fh:
wrapper = io.TextIOWrapper(fh, encoding='ascii')
i = 1
if use_ensembl_ids:
i = 0
gene_names = [row[i] for row in csv.reader(wrapper, delimiter='\t')
]
ti = tf.getmember('%sbarcodes.tsv' % prefix)
with tf.extractfile(ti) as fh:
wrapper = io.TextIOWrapper(fh, encoding='ascii')
barcodes = [row[0] for row in csv.reader(wrapper, delimiter='\t')]
assert mtx.shape[0] == len(gene_names)
assert mtx.shape[1] == len(barcodes)
_LOGGER.info('Matrix dimensions: %s', str(mtx.shape))
X = mtx.todense()
matrix = cls(X=X, genes=gene_names, cells=barcodes)
return matrix
| read_10xgenomics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, tarball_fpath: str, prefix: str, use_ensembl_ids: bool=False):\n _LOGGER.info('Reading file: %s', tarball_fpath)\n with tarfile.open(tarball_fpath, mode='r:gz') as tf:\n ti = tf.getmember('%smatrix.mtx' % prefix)\n with tf.extractfile(ti) as fh:\n mtx = scipy.io.mmread(fh)\n ti = tf.getmember('%sgenes.tsv' % prefix)\n with tf.extractfile(ti) as fh:\n wrapper = io.TextIOWrapper(fh, encoding='ascii')\n i = 1\n if use_ensembl_ids:\n i = 0\n gene_names = [row[i] for row in csv.reader(wrapper, delimiter='\\t')\n ]\n ti = tf.getmember('%sbarcodes.tsv' % prefix)\n with tf.extractfile(ti) as fh:\n wrapper = io.TextIOWrapper(fh, encoding='ascii')\n barcodes = [row[0] for row in csv.reader(wrapper, delimiter='\\t')]\n assert mtx.shape[0] == len(gene_names)\n assert mtx.shape[1] == len(barcodes)\n _LOGGER.info('Matrix dimensions: %s', str(mtx.shape))\n X = mtx.todense()\n matrix = cls(X=X, genes=gene_names, cells=barcodes)\n return matrix\n",
"role": "user"
},
{
"content": "read_10xgenomics",
"role": "assistant"
}
] |
def x():
desc = 'Convert Entrez IDs to gene symbols.'
parser = cli.get_argument_parser(desc=desc)
file_mv = cli.file_mv
g = parser.add_argument_group('Input and output files')
g.add_argument('-e', '--expression-file', required=True, type=cli.
str_type, metavar=file_mv, help='The expression file.')
g.add_argument('-g', '--gene-file', required=True, type=cli.str_type,
metavar=file_mv, help=textwrap.dedent(
""" The gene file (e.g., generated by the
ensembl_extract_protein_coding_genes.py script)."""
))
g.add_argument('-c', '--entrez2gene-file', required=True, type=cli.
str_type, metavar=file_mv, help=textwrap.dedent(
""" The entrez2gene file (.e.g., generated by the
ncbi_extract_entrez2gene.py script)."""
))
g.add_argument('-o', '--output-file', required=True, type=cli.str_type,
metavar=file_mv, help='The output file.')
g = parser.add_argument_group('Conversion options')
g.add_argument('-s', '--strip-affy-suffix', action='store_true', help=
textwrap.dedent(
""" Strip the suffix "_at" from all Entrez IDs.
(For use in affymetrix microarray pipeline.)"""
))
cli.add_reporting_args(parser)
return parser
| get_argument_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n desc = 'Convert Entrez IDs to gene symbols.'\n parser = cli.get_argument_parser(desc=desc)\n file_mv = cli.file_mv\n g = parser.add_argument_group('Input and output files')\n g.add_argument('-e', '--expression-file', required=True, type=cli.\n str_type, metavar=file_mv, help='The expression file.')\n g.add_argument('-g', '--gene-file', required=True, type=cli.str_type,\n metavar=file_mv, help=textwrap.dedent(\n \"\"\" The gene file (e.g., generated by the\n ensembl_extract_protein_coding_genes.py script).\"\"\"\n ))\n g.add_argument('-c', '--entrez2gene-file', required=True, type=cli.\n str_type, metavar=file_mv, help=textwrap.dedent(\n \"\"\" The entrez2gene file (.e.g., generated by the\n ncbi_extract_entrez2gene.py script).\"\"\"\n ))\n g.add_argument('-o', '--output-file', required=True, type=cli.str_type,\n metavar=file_mv, help='The output file.')\n g = parser.add_argument_group('Conversion options')\n g.add_argument('-s', '--strip-affy-suffix', action='store_true', help=\n textwrap.dedent(\n \"\"\" Strip the suffix \"_at\" from all Entrez IDs.\n (For use in affymetrix microarray pipeline.)\"\"\"\n ))\n cli.add_reporting_args(parser)\n return parser\n",
"role": "user"
},
{
"content": "get_argument_parser",
"role": "assistant"
}
] |
def x(chain):
link = chain[0][0]
for i in range(1, len(chain) - 1):
if chain[i][1] == 'R':
link = hash_function(link + chain[i][0]).digest()
elif chain[i][1] == 'L':
link = hash_function(chain[i][0] + link).digest()
else:
raise MerkleError('Link %s has no side value: %s' % (str(i),
str(codecs.encode(chain[i][0], 'hex_codec'))))
if link == chain[-1][0]:
return link
else:
raise MerkleError('The Merkle Chain is not valid.')
| check_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chain):\n link = chain[0][0]\n for i in range(1, len(chain) - 1):\n if chain[i][1] == 'R':\n link = hash_function(link + chain[i][0]).digest()\n elif chain[i][1] == 'L':\n link = hash_function(chain[i][0] + link).digest()\n else:\n raise MerkleError('Link %s has no side value: %s' % (str(i),\n str(codecs.encode(chain[i][0], 'hex_codec'))))\n if link == chain[-1][0]:\n return link\n else:\n raise MerkleError('The Merkle Chain is not valid.')\n",
"role": "user"
},
{
"content": "check_chain",
"role": "assistant"
}
] |
def x(chain):
return codecs.encode(check_chain([(codecs.decode(i[0], 'hex_codec'), i[
1]) for i in chain]), 'hex_codec')
| check_hex_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chain):\n return codecs.encode(check_chain([(codecs.decode(i[0], 'hex_codec'), i[\n 1]) for i in chain]), 'hex_codec')\n",
"role": "user"
},
{
"content": "check_hex_chain",
"role": "assistant"
}
] |
def x(self, value):
self.leaves.append(Node(codecs.decode(value, 'hex_codec'), prehashed=True))
| add_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self.leaves.append(Node(codecs.decode(value, 'hex_codec'), prehashed=True))\n",
"role": "user"
},
{
"content": "add_hash",
"role": "assistant"
}
] |
def x(self):
self.root = None
for leaf in self.leaves:
leaf.p, leaf.sib, leaf.side = (None,) * 3
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.root = None\n for leaf in self.leaves:\n leaf.p, leaf.sib, leaf.side = (None,) * 3\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, layer=None):
if not layer:
if not self.leaves:
raise MerkleError(
'The tree has no leaves and cannot be calculated.')
layer = self.leaves[:]
layer = self._build(layer)
if len(layer) == 1:
self.root = layer[0]
else:
self.build_fun(layer=layer)
return self.root.val
| build_fun | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer=None):\n if not layer:\n if not self.leaves:\n raise MerkleError(\n 'The tree has no leaves and cannot be calculated.')\n layer = self.leaves[:]\n layer = self._build(layer)\n if len(layer) == 1:\n self.root = layer[0]\n else:\n self.build_fun(layer=layer)\n return self.root.val\n",
"role": "user"
},
{
"content": "build_fun",
"role": "assistant"
}
] |
def x(self, leaves):
new, odd = [], None
if len(leaves) % 2 == 1:
odd = leaves.pop(-1)
for i in range(0, len(leaves), 2):
newnode = Node(leaves[i].val + leaves[i + 1].val)
newnode.l, newnode.r = leaves[i], leaves[i + 1]
leaves[i].side, leaves[i + 1].side, leaves[i].p, leaves[i + 1
].p = 'L', 'R', newnode, newnode
leaves[i].sib, leaves[i + 1].sib = leaves[i + 1], leaves[i]
new.append(newnode)
if odd:
new.append(odd)
return new
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leaves):\n new, odd = [], None\n if len(leaves) % 2 == 1:\n odd = leaves.pop(-1)\n for i in range(0, len(leaves), 2):\n newnode = Node(leaves[i].val + leaves[i + 1].val)\n newnode.l, newnode.r = leaves[i], leaves[i + 1]\n leaves[i].side, leaves[i + 1].side, leaves[i].p, leaves[i + 1\n ].p = 'L', 'R', newnode, newnode\n leaves[i].sib, leaves[i + 1].sib = leaves[i + 1], leaves[i]\n new.append(newnode)\n if odd:\n new.append(odd)\n return new\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self, index):
chain = []
this = self.leaves[index]
chain.append((this.val, 'SELF'))
while this.p:
chain.append((this.sib.val, this.sib.side))
this = this.p
chain.append((this.val, 'ROOT'))
return chain
| get_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n chain = []\n this = self.leaves[index]\n chain.append((this.val, 'SELF'))\n while this.p:\n chain.append((this.sib.val, this.sib.side))\n this = this.p\n chain.append((this.val, 'ROOT'))\n return chain\n",
"role": "user"
},
{
"content": "get_chain",
"role": "assistant"
}
] |
def x(self):
return [self.get_chain(i) for i in range(len(self.leaves))]
| get_all_chains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [self.get_chain(i) for i in range(len(self.leaves))]\n",
"role": "user"
},
{
"content": "get_all_chains",
"role": "assistant"
}
] |
def x(self, index):
return [(codecs.encode(i[0], 'hex_codec'), i[1]) for i in self.
get_chain(index)]
| get_hex_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n return [(codecs.encode(i[0], 'hex_codec'), i[1]) for i in self.\n get_chain(index)]\n",
"role": "user"
},
{
"content": "get_hex_chain",
"role": "assistant"
}
] |
def x(self):
return [[(codecs.encode(i[0], 'hex_codec'), i[1]) for i in j] for j in
self.get_all_chains()]
| get_all_hex_chains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [[(codecs.encode(i[0], 'hex_codec'), i[1]) for i in j] for j in\n self.get_all_chains()]\n",
"role": "user"
},
{
"content": "get_all_hex_chains",
"role": "assistant"
}
] |
def x(self):
subtrees = []
loose_leaves = len(self.leaves) - 2 ** int(log(len(self.leaves), 2))
the_node = self.root
while loose_leaves:
subtrees.append(the_node.l)
the_node = the_node.r
loose_leaves = loose_leaves - 2 ** int(log(loose_leaves, 2))
subtrees.append(the_node)
return subtrees
| get_whole_subtrees | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n subtrees = []\n loose_leaves = len(self.leaves) - 2 ** int(log(len(self.leaves), 2))\n the_node = self.root\n while loose_leaves:\n subtrees.append(the_node.l)\n the_node = the_node.r\n loose_leaves = loose_leaves - 2 ** int(log(loose_leaves, 2))\n subtrees.append(the_node)\n return subtrees\n",
"role": "user"
},
{
"content": "get_whole_subtrees",
"role": "assistant"
}
] |
def x(self, data, prehashed=False):
subtrees = self._get_whole_subtrees()
new_node = Node(data, prehashed=prehashed)
self.leaves.append(new_node)
for node in reversed(subtrees):
new_parent = Node(node.val + new_node.val)
node.p, new_node.p = new_parent, new_parent
new_parent.l, new_parent.r = node, new_node
node.sib, new_node.sib = new_node, node
node.side, new_node.side = 'L', 'R'
new_node = new_node.p
self.root = new_node
| add_adjust | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, prehashed=False):\n subtrees = self._get_whole_subtrees()\n new_node = Node(data, prehashed=prehashed)\n self.leaves.append(new_node)\n for node in reversed(subtrees):\n new_parent = Node(node.val + new_node.val)\n node.p, new_node.p = new_parent, new_parent\n new_parent.l, new_parent.r = node, new_node\n node.sib, new_node.sib = new_node, node\n node.side, new_node.side = 'L', 'R'\n new_node = new_node.p\n self.root = new_node\n",
"role": "user"
},
{
"content": "add_adjust",
"role": "assistant"
}
] |
def x(self):
expected = self.K * (self.n / float(self.N))
return self.k / expected
| fold_enrichment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n expected = self.K * (self.n / float(self.N))\n return self.k / expected\n",
"role": "user"
},
{
"content": "fold_enrichment",
"role": "assistant"
}
] |
def x(self, max_name_length=0):
assert isinstance(max_name_length, (int, np.integer))
if max_name_length < 0 or 1 <= max_name_length <= 2:
raise ValueError('max_name_length must be 0 or >= 3.')
gs_name = self.gene_set._name
if max_name_length > 0 and len(gs_name) > max_name_length:
assert max_name_length >= 3
gs_name = gs_name[:max_name_length - 3] + '...'
param_str = '(%d/%d @ %d/%d, pval=%.1e, fe=%.1fx)' % (self.k, self.K,
self.n, self.N, self.pval, self.fold_enrichment)
return '%s %s' % (gs_name, param_str)
| get_pretty_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_name_length=0):\n assert isinstance(max_name_length, (int, np.integer))\n if max_name_length < 0 or 1 <= max_name_length <= 2:\n raise ValueError('max_name_length must be 0 or >= 3.')\n gs_name = self.gene_set._name\n if max_name_length > 0 and len(gs_name) > max_name_length:\n assert max_name_length >= 3\n gs_name = gs_name[:max_name_length - 3] + '...'\n param_str = '(%d/%d @ %d/%d, pval=%.1e, fe=%.1fx)' % (self.k, self.K,\n self.n, self.N, self.pval, self.fold_enrichment)\n return '%s %s' % (gs_name, param_str)\n",
"role": "user"
},
{
"content": "get_pretty_format",
"role": "assistant"
}
] |
def x(recordFilenames, fastaFilename, title, xRange, bitRange):
reads = FastaReads(fastaFilename)
blastReadsAlignments = BlastReadsAlignments(reads, recordFilenames)
filtered = blastReadsAlignments.filter(whitelist=set([title]),
negativeTitleRegex='.')
titlesAlignments = TitlesAlignments(filtered)
if title not in titlesAlignments:
print('%s: Title %r not found in BLAST output' % (sys.argv[0], title))
sys.exit(3)
for titleAlignment in titlesAlignments[title]:
for hsp in titleAlignment.hsps:
if (xRange is None or xRange[0] <= hsp.subjectEnd and xRange[1] >=
hsp.subjectStart) and (bitRange is None or bitRange[0] <=
hsp.score.score <= bitRange[1]):
print('query: %s, start: %d, end: %d, score: %d' % (
titleAlignment.read.id, hsp.subjectStart, hsp.
subjectEnd, hsp.score.score))
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(recordFilenames, fastaFilename, title, xRange, bitRange):\n reads = FastaReads(fastaFilename)\n blastReadsAlignments = BlastReadsAlignments(reads, recordFilenames)\n filtered = blastReadsAlignments.filter(whitelist=set([title]),\n negativeTitleRegex='.')\n titlesAlignments = TitlesAlignments(filtered)\n if title not in titlesAlignments:\n print('%s: Title %r not found in BLAST output' % (sys.argv[0], title))\n sys.exit(3)\n for titleAlignment in titlesAlignments[title]:\n for hsp in titleAlignment.hsps:\n if (xRange is None or xRange[0] <= hsp.subjectEnd and xRange[1] >=\n hsp.subjectStart) and (bitRange is None or bitRange[0] <=\n hsp.score.score <= bitRange[1]):\n print('query: %s, start: %d, end: %d, score: %d' % (\n titleAlignment.read.id, hsp.subjectStart, hsp.\n subjectEnd, hsp.score.score))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(ac, start_i=None, end_i=None):
ac_dispatch = [{'re': re.compile(
'^(?:AC|N[CGMPRTW])_|^[A-L]\\w\\d|^U\\d'), 'fetcher':
_fetch_seq_ncbi}, {'re': re.compile('^ENS[TP]\\d+'), 'fetcher':
_fetch_seq_ensembl}]
eligible_fetchers = [dr['fetcher'] for dr in ac_dispatch if dr['re'].
match(ac)]
if len(eligible_fetchers) == 0:
raise RuntimeError('No sequence fetcher for {ac}'.format(ac=ac))
if len(eligible_fetchers) >= 1:
_logger.debug('Multiple sequence fetchers found for {ac}; using first'
.format(ac=ac))
fetcher = eligible_fetchers[0]
_logger.debug('fetching {ac} with {f}'.format(ac=ac, f=fetcher))
try:
return fetcher(ac, start_i, end_i)
except requests.RequestException as ex:
raise RuntimeError('Failed to fetch {ac} ({ex})'.format(ac=ac, ex=ex))
| fetch_seq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac, start_i=None, end_i=None):\n ac_dispatch = [{'re': re.compile(\n '^(?:AC|N[CGMPRTW])_|^[A-L]\\\\w\\\\d|^U\\\\d'), 'fetcher':\n _fetch_seq_ncbi}, {'re': re.compile('^ENS[TP]\\\\d+'), 'fetcher':\n _fetch_seq_ensembl}]\n eligible_fetchers = [dr['fetcher'] for dr in ac_dispatch if dr['re'].\n match(ac)]\n if len(eligible_fetchers) == 0:\n raise RuntimeError('No sequence fetcher for {ac}'.format(ac=ac))\n if len(eligible_fetchers) >= 1:\n _logger.debug('Multiple sequence fetchers found for {ac}; using first'\n .format(ac=ac))\n fetcher = eligible_fetchers[0]\n _logger.debug('fetching {ac} with {f}'.format(ac=ac, f=fetcher))\n try:\n return fetcher(ac, start_i, end_i)\n except requests.RequestException as ex:\n raise RuntimeError('Failed to fetch {ac} ({ex})'.format(ac=ac, ex=ex))\n",
"role": "user"
},
{
"content": "fetch_seq",
"role": "assistant"
}
] |
def x(ac, start_i=None, end_i=None):
url_fmt = 'http://rest.ensembl.org/sequence/id/{ac}'
url = url_fmt.format(ac=ac)
r = requests.get(url, headers={'Content-Type': 'application/json'})
r.raise_for_status()
seq = r.json()['seq']
return seq if start_i is None or end_i is None else seq[start_i:end_i]
| fetch_seq_ensembl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac, start_i=None, end_i=None):\n url_fmt = 'http://rest.ensembl.org/sequence/id/{ac}'\n url = url_fmt.format(ac=ac)\n r = requests.get(url, headers={'Content-Type': 'application/json'})\n r.raise_for_status()\n seq = r.json()['seq']\n return seq if start_i is None or end_i is None else seq[start_i:end_i]\n",
"role": "user"
},
{
"content": "fetch_seq_ensembl",
"role": "assistant"
}
] |
def x(ac, start_i=None, end_i=None):
db = 'protein' if ac[1] == 'P' else 'nucleotide'
url_fmt = (
'https://eutils.ncbi.nlm.nih.gov/entrez/eutils/efetch.fcgi?db={db}&id={ac}&rettype=fasta'
)
if start_i is None or end_i is None:
url = url_fmt.format(db=db, ac=ac)
else:
url_fmt += '&seq_start={start}&seq_stop={stop}'
url = url_fmt.format(db=db, ac=ac, start=start_i + 1, stop=end_i)
url += '&tool={tool}&email={email}'.format(tool=ncbi_tool, email=ncbi_email
)
url = _add_eutils_api_key(url)
n_retries = 0
while True:
resp = requests.get(url)
if resp.ok:
seq = ''.join(resp.text.splitlines()[1:])
return seq
if n_retries >= retry_limit:
break
if n_retries == 0:
_logger.warning('Failed to fetch {}'.format(url))
sleeptime = random.randint(n_retries, 3) ** n_retries
_logger.warning('Failure {}/{}; retry in {} seconds'.format(
n_retries, retry_limit, sleeptime))
time.sleep(sleeptime)
n_retries += 1
resp.raise_for_status()
| fetch_seq_ncbi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac, start_i=None, end_i=None):\n db = 'protein' if ac[1] == 'P' else 'nucleotide'\n url_fmt = (\n 'https://eutils.ncbi.nlm.nih.gov/entrez/eutils/efetch.fcgi?db={db}&id={ac}&rettype=fasta'\n )\n if start_i is None or end_i is None:\n url = url_fmt.format(db=db, ac=ac)\n else:\n url_fmt += '&seq_start={start}&seq_stop={stop}'\n url = url_fmt.format(db=db, ac=ac, start=start_i + 1, stop=end_i)\n url += '&tool={tool}&email={email}'.format(tool=ncbi_tool, email=ncbi_email\n )\n url = _add_eutils_api_key(url)\n n_retries = 0\n while True:\n resp = requests.get(url)\n if resp.ok:\n seq = ''.join(resp.text.splitlines()[1:])\n return seq\n if n_retries >= retry_limit:\n break\n if n_retries == 0:\n _logger.warning('Failed to fetch {}'.format(url))\n sleeptime = random.randint(n_retries, 3) ** n_retries\n _logger.warning('Failure {}/{}; retry in {} seconds'.format(\n n_retries, retry_limit, sleeptime))\n time.sleep(sleeptime)\n n_retries += 1\n resp.raise_for_status()\n",
"role": "user"
},
{
"content": "fetch_seq_ncbi",
"role": "assistant"
}
] |
def x(url):
apikey = os.environ.get('NCBI_API_KEY')
if apikey:
url += '&api_key={apikey}'.format(apikey=apikey)
return url
| add_eutils_api_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n apikey = os.environ.get('NCBI_API_KEY')\n if apikey:\n url += '&api_key={apikey}'.format(apikey=apikey)\n return url\n",
"role": "user"
},
{
"content": "add_eutils_api_key",
"role": "assistant"
}
] |
def x(addr, dout, CONTENT):
@always_comb
def x():
dout.next = CONTENT[int(addr)]
return read
| rom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(addr, dout, CONTENT):\n\n @always_comb\n def x():\n dout.next = CONTENT[int(addr)]\n return read\n",
"role": "user"
},
{
"content": "rom",
"role": "assistant"
}
] |
def x(clk, we, addr, di, do):
memL = [Signal(intbv(0)[len(di):]) for _ in range(2 ** len(addr))]
@always(clk.posedge)
def x():
if we:
memL[int(addr)].next = di
@always_comb
def x():
do.next = memL[int(addr)]
return write, read
| ram_sp_ar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clk, we, addr, di, do):\n memL = [Signal(intbv(0)[len(di):]) for _ in range(2 ** len(addr))]\n\n @always(clk.posedge)\n def x():\n if we:\n memL[int(addr)].next = di\n\n @always_comb\n def x():\n do.next = memL[int(addr)]\n return write, read\n",
"role": "user"
},
{
"content": "ram_sp_ar",
"role": "assistant"
}
] |
def x(clk, we, addrw, addrr, di, do):
memL = [Signal(intbv(0)[len(di):]) for _ in range(2 ** len(addrr))]
@always(clk.posedge)
def x():
if we:
memL[int(addrw)].next = di
do.next = memL[int(addrr)]
return write
| ram_sdp_rf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clk, we, addrw, addrr, di, do):\n memL = [Signal(intbv(0)[len(di):]) for _ in range(2 ** len(addrr))]\n\n @always(clk.posedge)\n def x():\n if we:\n memL[int(addrw)].next = di\n do.next = memL[int(addrr)]\n return write\n",
"role": "user"
},
{
"content": "ram_sdp_rf",
"role": "assistant"
}
] |
def x(clka, clkb, wea, web, addra, addrb, dia, dib, doa, dob):
memL = [Signal(intbv(0)[len(dia):]) for _ in range(2 ** len(addra))]
@always(clka.posedge)
def x():
if wea:
memL[int(addra)].next = dia
doa.next = memL[int(addra)]
@always(clkb.posedge)
def x():
if web:
memL[int(addrb)].next = dib
dob.next = memL[int(addrb)]
return writea, writeb
| ram_dp_rf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clka, clkb, wea, web, addra, addrb, dia, dib, doa, dob):\n memL = [Signal(intbv(0)[len(dia):]) for _ in range(2 ** len(addra))]\n\n @always(clka.posedge)\n def x():\n if wea:\n memL[int(addra)].next = dia\n doa.next = memL[int(addra)]\n\n @always(clkb.posedge)\n def x():\n if web:\n memL[int(addrb)].next = dib\n dob.next = memL[int(addrb)]\n return writea, writeb\n",
"role": "user"
},
{
"content": "ram_dp_rf",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8, CONTENT=(4, 5, 6, 7)):
addr = Signal(intbv(0)[ADDR_WIDTH:])
dout = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(rom, addr, dout, CONTENT)
| convert_rom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8, CONTENT=(4, 5, 6, 7)):\n addr = Signal(intbv(0)[ADDR_WIDTH:])\n dout = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(rom, addr, dout, CONTENT)\n",
"role": "user"
},
{
"content": "convert_rom",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8):
clk = Signal(bool(0))
we = Signal(bool(0))
addr = Signal(intbv(0)[ADDR_WIDTH:])
di = Signal(intbv(0)[DATA_WIDTH:])
do = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(ram_sp_rf, clk, we, addr, di, do)
| convert_ram_sp_rf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8):\n clk = Signal(bool(0))\n we = Signal(bool(0))\n addr = Signal(intbv(0)[ADDR_WIDTH:])\n di = Signal(intbv(0)[DATA_WIDTH:])\n do = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(ram_sp_rf, clk, we, addr, di, do)\n",
"role": "user"
},
{
"content": "convert_ram_sp_rf",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8):
clk = Signal(bool(0))
we = Signal(bool(0))
addr = Signal(intbv(0)[ADDR_WIDTH:])
di = Signal(intbv(0)[DATA_WIDTH:])
do = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(ram_sp_wf, clk, we, addr, di, do)
| convert_ram_sp_wf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8):\n clk = Signal(bool(0))\n we = Signal(bool(0))\n addr = Signal(intbv(0)[ADDR_WIDTH:])\n di = Signal(intbv(0)[DATA_WIDTH:])\n do = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(ram_sp_wf, clk, we, addr, di, do)\n",
"role": "user"
},
{
"content": "convert_ram_sp_wf",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8):
clk = Signal(bool(0))
we = Signal(bool(0))
addr = Signal(intbv(0)[ADDR_WIDTH:])
di = Signal(intbv(0)[DATA_WIDTH:])
do = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(ram_sp_ar, clk, we, addr, di, do)
| convert_ram_sp_ar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8):\n clk = Signal(bool(0))\n we = Signal(bool(0))\n addr = Signal(intbv(0)[ADDR_WIDTH:])\n di = Signal(intbv(0)[DATA_WIDTH:])\n do = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(ram_sp_ar, clk, we, addr, di, do)\n",
"role": "user"
},
{
"content": "convert_ram_sp_ar",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8):
clk = Signal(bool(0))
we = Signal(bool(0))
addrw = Signal(intbv(0)[ADDR_WIDTH:])
addrr = Signal(intbv(0)[ADDR_WIDTH:])
di = Signal(intbv(0)[DATA_WIDTH:])
do = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(ram_sdp_rf, clk, we, addrw, addrr, di, do)
| convert_ram_sdp_rf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8):\n clk = Signal(bool(0))\n we = Signal(bool(0))\n addrw = Signal(intbv(0)[ADDR_WIDTH:])\n addrr = Signal(intbv(0)[ADDR_WIDTH:])\n di = Signal(intbv(0)[DATA_WIDTH:])\n do = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(ram_sdp_rf, clk, we, addrw, addrr, di, do)\n",
"role": "user"
},
{
"content": "convert_ram_sdp_rf",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8):
clk = Signal(bool(0))
we = Signal(bool(0))
addrw = Signal(intbv(0)[ADDR_WIDTH:])
addrr = Signal(intbv(0)[ADDR_WIDTH:])
di = Signal(intbv(0)[DATA_WIDTH:])
do = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(ram_sdp_wf, clk, we, addrw, addrr, di, do)
| convert_ram_sdp_wf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8):\n clk = Signal(bool(0))\n we = Signal(bool(0))\n addrw = Signal(intbv(0)[ADDR_WIDTH:])\n addrr = Signal(intbv(0)[ADDR_WIDTH:])\n di = Signal(intbv(0)[DATA_WIDTH:])\n do = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(ram_sdp_wf, clk, we, addrw, addrr, di, do)\n",
"role": "user"
},
{
"content": "convert_ram_sdp_wf",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8):
clk = Signal(bool(0))
we = Signal(bool(0))
addrw = Signal(intbv(0)[ADDR_WIDTH:])
addrr = Signal(intbv(0)[ADDR_WIDTH:])
di = Signal(intbv(0)[DATA_WIDTH:])
do = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(ram_sdp_ar, clk, we, addrw, addrr, di, do)
| convert_ram_sdp_ar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8):\n clk = Signal(bool(0))\n we = Signal(bool(0))\n addrw = Signal(intbv(0)[ADDR_WIDTH:])\n addrr = Signal(intbv(0)[ADDR_WIDTH:])\n di = Signal(intbv(0)[DATA_WIDTH:])\n do = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(ram_sdp_ar, clk, we, addrw, addrr, di, do)\n",
"role": "user"
},
{
"content": "convert_ram_sdp_ar",
"role": "assistant"
}
] |
def x(ADDR_WIDTH=8, DATA_WIDTH=8):
clka = Signal(bool(0))
clkb = Signal(bool(0))
wea = Signal(bool(0))
web = Signal(bool(0))
addra = Signal(intbv(0)[ADDR_WIDTH:])
addrb = Signal(intbv(0)[ADDR_WIDTH:])
dia = Signal(intbv(0)[DATA_WIDTH:])
dib = Signal(intbv(0)[DATA_WIDTH:])
doa = Signal(intbv(0)[DATA_WIDTH:])
dob = Signal(intbv(0)[DATA_WIDTH:])
toVerilog(ram_dp_ar, clka, clkb, wea, web, addra, addrb, dia, dib, doa, dob
)
| convert_ram_dp_ar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ADDR_WIDTH=8, DATA_WIDTH=8):\n clka = Signal(bool(0))\n clkb = Signal(bool(0))\n wea = Signal(bool(0))\n web = Signal(bool(0))\n addra = Signal(intbv(0)[ADDR_WIDTH:])\n addrb = Signal(intbv(0)[ADDR_WIDTH:])\n dia = Signal(intbv(0)[DATA_WIDTH:])\n dib = Signal(intbv(0)[DATA_WIDTH:])\n doa = Signal(intbv(0)[DATA_WIDTH:])\n dob = Signal(intbv(0)[DATA_WIDTH:])\n toVerilog(ram_dp_ar, clka, clkb, wea, web, addra, addrb, dia, dib, doa, dob\n )\n",
"role": "user"
},
{
"content": "convert_ram_dp_ar",
"role": "assistant"
}
] |
def x(self, message=None):
consumer = oauth2.Consumer(key=conf.TWITTER_CONSUMER_KEY, secret=conf.
TWITTER_CONSUMER_SECRET)
token = oauth2.Token(key=conf.TWITTER_ACCESS_TOKEN, secret=conf.
TWITTER_ACCESS_SECRET)
client = SimpleTwitterClient(consumer=consumer, token=token)
if not message:
message = self.get_message()
hash_tag = '#status'
if conf.BASE_URL:
permalink = urlparse.urljoin(conf.BASE_URL, reverse(
'overseer:event_short', args=[self.pk]))
if len(message) + len(permalink) + len(hash_tag) > 138:
message = '%s.. %s %s' % (message[:140 - 4 - len(hash_tag) -
len(permalink)], permalink, hash_tag)
else:
message = '%s %s %s' % (message, permalink, hash_tag)
elif len(message) + len(hash_tag) > 139:
message = '%s.. %s' % (message[:140 - 3 - len(hash_tag)], hash_tag)
else:
message = '%s %s' % (message, hash_tag)
return client.update_status(message)
| post_to_twitter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message=None):\n consumer = oauth2.Consumer(key=conf.TWITTER_CONSUMER_KEY, secret=conf.\n TWITTER_CONSUMER_SECRET)\n token = oauth2.Token(key=conf.TWITTER_ACCESS_TOKEN, secret=conf.\n TWITTER_ACCESS_SECRET)\n client = SimpleTwitterClient(consumer=consumer, token=token)\n if not message:\n message = self.get_message()\n hash_tag = '#status'\n if conf.BASE_URL:\n permalink = urlparse.urljoin(conf.BASE_URL, reverse(\n 'overseer:event_short', args=[self.pk]))\n if len(message) + len(permalink) + len(hash_tag) > 138:\n message = '%s.. %s %s' % (message[:140 - 4 - len(hash_tag) -\n len(permalink)], permalink, hash_tag)\n else:\n message = '%s %s %s' % (message, permalink, hash_tag)\n elif len(message) + len(hash_tag) > 139:\n message = '%s.. %s' % (message[:140 - 3 - len(hash_tag)], hash_tag)\n else:\n message = '%s %s' % (message, hash_tag)\n return client.update_status(message)\n",
"role": "user"
},
{
"content": "post_to_twitter",
"role": "assistant"
}
] |
def x(path):
assert isinstance(path, str)
version = None
with misc.smart_open_read(path, encoding='UTF-8', try_gzip=True) as fh:
for l in fh:
if l[0] != '!':
break
if l.startswith('!GO-version:'):
version = l.split(' ')[1]
break
return version
| get_gaf_gene_ontology_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n assert isinstance(path, str)\n version = None\n with misc.smart_open_read(path, encoding='UTF-8', try_gzip=True) as fh:\n for l in fh:\n if l[0] != '!':\n break\n if l.startswith('!GO-version:'):\n version = l.split(' ')[1]\n break\n return version\n",
"role": "user"
},
{
"content": "get_gaf_gene_ontology_file",
"role": "assistant"
}
] |
def x(self, im):
from scipy.ndimage.interpolation import shift
return shift(im, map(lambda x: -x, self.delta), mode='nearest')
| apply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, im):\n from scipy.ndimage.interpolation import shift\n return shift(im, map(lambda x: -x, self.delta), mode='nearest')\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(a, b):
from numpy.fft import rfftn, irfftn
from numpy import unravel_index, argmax
s = a.shape
f = rfftn(a)
f *= rfftn(b).conjugate()
c = abs(irfftn(f, s))
inds = unravel_index(argmax(c), s)
pairs = zip(inds, a.shape)
adjusted = [(int(d - n) if d > n // 2 else int(d)) for d, n in pairs]
return Displacement(adjusted)
| compute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n from numpy.fft import rfftn, irfftn\n from numpy import unravel_index, argmax\n s = a.shape\n f = rfftn(a)\n f *= rfftn(b).conjugate()\n c = abs(irfftn(f, s))\n inds = unravel_index(argmax(c), s)\n pairs = zip(inds, a.shape)\n adjusted = [(int(d - n) if d > n // 2 else int(d)) for d, n in pairs]\n return Displacement(adjusted)\n",
"role": "user"
},
{
"content": "compute",
"role": "assistant"
}
] |
def x(a, b, axis):
delta = []
for aa, bb in zip(rollaxis(a, axis, 0), rollaxis(b, axis, 0)):
delta.append(Displacement.compute(aa, bb).delta)
return LocalDisplacement(delta, axis=axis)
| compute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, axis):\n delta = []\n for aa, bb in zip(rollaxis(a, axis, 0), rollaxis(b, axis, 0)):\n delta.append(Displacement.compute(aa, bb).delta)\n return LocalDisplacement(delta, axis=axis)\n",
"role": "user"
},
{
"content": "compute",
"role": "assistant"
}
] |
def x(self, im):
from scipy.ndimage.interpolation import shift
im = rollaxis(im, self.axis)
im.setflags(write=True)
for ind in range(0, im.shape[0]):
im[ind] = shift(im[ind], map(lambda x: -x, self.delta[ind]), mode=
'nearest')
im = rollaxis(im, 0, self.axis + 1)
return im
| apply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, im):\n from scipy.ndimage.interpolation import shift\n im = rollaxis(im, self.axis)\n im.setflags(write=True)\n for ind in range(0, im.shape[0]):\n im[ind] = shift(im[ind], map(lambda x: -x, self.delta[ind]), mode=\n 'nearest')\n im = rollaxis(im, 0, self.axis + 1)\n return im\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(output_file, accessions, names, celfile_urls, sel=None):
assert isinstance(output_file, str)
assert isinstance(accessions, (list, tuple))
for acc in accessions:
assert isinstance(acc, str)
assert isinstance(names, (list, tuple))
for n in names:
assert isinstance(n, str)
assert isinstance(celfile_urls, (list, tuple))
for u in celfile_urls:
assert isinstance(u, str)
if sel is not None:
assert isinstance(sel, Iterable)
for i in sel:
assert isinstance(i, (int, np.integer))
with open(output_file, 'wb') as ofh:
writer = csv.writer(ofh, dialect='excel-tab', lineterminator=os.
linesep, quoting=csv.QUOTE_NONE)
writer.writerow(['Accession', 'Name', 'CEL file name', 'CEL file URL'])
n = len(list(names))
if sel is None:
sel = range(n)
for i in sel:
cf = celfile_urls[i].split('/')[-1]
writer.writerow([accessions[i], names[i], cf, celfile_urls[i]])
| write_sample_sheet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_file, accessions, names, celfile_urls, sel=None):\n assert isinstance(output_file, str)\n assert isinstance(accessions, (list, tuple))\n for acc in accessions:\n assert isinstance(acc, str)\n assert isinstance(names, (list, tuple))\n for n in names:\n assert isinstance(n, str)\n assert isinstance(celfile_urls, (list, tuple))\n for u in celfile_urls:\n assert isinstance(u, str)\n if sel is not None:\n assert isinstance(sel, Iterable)\n for i in sel:\n assert isinstance(i, (int, np.integer))\n with open(output_file, 'wb') as ofh:\n writer = csv.writer(ofh, dialect='excel-tab', lineterminator=os.\n linesep, quoting=csv.QUOTE_NONE)\n writer.writerow(['Accession', 'Name', 'CEL file name', 'CEL file URL'])\n n = len(list(names))\n if sel is None:\n sel = range(n)\n for i in sel:\n cf = celfile_urls[i].split('/')[-1]\n writer.writerow([accessions[i], names[i], cf, celfile_urls[i]])\n",
"role": "user"
},
{
"content": "write_sample_sheet",
"role": "assistant"
}
] |
def x(self, command):
if isinstance(command, six.string_types):
strCommand = command = command.replace('\n', ' ').strip()
shell = True
else:
strCommand = ' '.join(command)
shell = False
if self._dryRun:
self.log.append('$ ' + strCommand)
return
start = time()
self.log.extend(['# Start command (shell=%s) at %s' % (shell, ctime(
start)), '$ ' + strCommand])
if six.PY3:
try:
result = run(command, check=True, stdout=PIPE, stderr=PIPE,
shell=shell, universal_newlines=True)
except CalledProcessError as e:
from sys import stderr
print('CalledProcessError:', e, file=stderr)
print('STDOUT:\n%s' % e.stdout, file=stderr)
print('STDERR:\n%s' % e.stderr, file=stderr)
raise
else:
try:
result = check_call(command, stdout=PIPE, stderr=PIPE, shell=
shell, universal_newlines=True)
except CalledProcessError as e:
from sys import stderr
print('CalledProcessError:', e, file=stderr)
print('Return code: %s' % e.returncode, file=stderr)
print('Output:\n%s' % e.output, file=stderr)
raise
stop = time()
elapsed = stop - start
self.log.extend(['# Stop command at %s' % ctime(stop),
'# Elapsed = %f seconds' % elapsed])
return result
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n if isinstance(command, six.string_types):\n strCommand = command = command.replace('\\n', ' ').strip()\n shell = True\n else:\n strCommand = ' '.join(command)\n shell = False\n if self._dryRun:\n self.log.append('$ ' + strCommand)\n return\n start = time()\n self.log.extend(['# Start command (shell=%s) at %s' % (shell, ctime(\n start)), '$ ' + strCommand])\n if six.PY3:\n try:\n result = run(command, check=True, stdout=PIPE, stderr=PIPE,\n shell=shell, universal_newlines=True)\n except CalledProcessError as e:\n from sys import stderr\n print('CalledProcessError:', e, file=stderr)\n print('STDOUT:\\n%s' % e.stdout, file=stderr)\n print('STDERR:\\n%s' % e.stderr, file=stderr)\n raise\n else:\n try:\n result = check_call(command, stdout=PIPE, stderr=PIPE, shell=\n shell, universal_newlines=True)\n except CalledProcessError as e:\n from sys import stderr\n print('CalledProcessError:', e, file=stderr)\n print('Return code: %s' % e.returncode, file=stderr)\n print('Output:\\n%s' % e.output, file=stderr)\n raise\n stop = time()\n elapsed = stop - start\n self.log.extend(['# Stop command at %s' % ctime(stop), \n '# Elapsed = %f seconds' % elapsed])\n return result\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(title, default=None):
try:
ref = title.split('|')[3].split('.')[0]
except IndexError:
return default
else:
return 'http://www.ncbi.nlm.nih.gov/nuccore/%s' % (ref,)
| NCBISequenceLinkURL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, default=None):\n try:\n ref = title.split('|')[3].split('.')[0]\n except IndexError:\n return default\n else:\n return 'http://www.ncbi.nlm.nih.gov/nuccore/%s' % (ref,)\n",
"role": "user"
},
{
"content": "NCBISequenceLinkURL",
"role": "assistant"
}
] |
def x(title, default=None):
url = NCBISequenceLinkURL(title)
if url is None:
return default
else:
return '<a href="%s" target="_blank">%s</a>' % (url, title)
| NCBISequenceLink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, default=None):\n url = NCBISequenceLinkURL(title)\n if url is None:\n return default\n else:\n return '<a href=\"%s\" target=\"_blank\">%s</a>' % (url, title)\n",
"role": "user"
},
{
"content": "NCBISequenceLink",
"role": "assistant"
}
] |
def x(titlesAlignments, by, limit=None):
out = []
for i, title in enumerate(titlesAlignments.sortTitles(by), start=1):
if limit is not None and i > limit:
break
titleAlignments = titlesAlignments[title]
link = NCBISequenceLink(title, title)
out.append(
'%3d: reads=%d, len=%d, max=%s median=%s<br/> %s'
% (i, titleAlignments.readCount(), titleAlignments.
subjectLength, titleAlignments.bestHsp().score.score,
titleAlignments.medianScore(), link))
return HTML('<pre>' + '<br/>'.join(out) + '</pre>')
| sortHTML | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(titlesAlignments, by, limit=None):\n out = []\n for i, title in enumerate(titlesAlignments.sortTitles(by), start=1):\n if limit is not None and i > limit:\n break\n titleAlignments = titlesAlignments[title]\n link = NCBISequenceLink(title, title)\n out.append(\n '%3d: reads=%d, len=%d, max=%s median=%s<br/> %s'\n % (i, titleAlignments.readCount(), titleAlignments.\n subjectLength, titleAlignments.bestHsp().score.score,\n titleAlignments.medianScore(), link))\n return HTML('<pre>' + '<br/>'.join(out) + '</pre>')\n",
"role": "user"
},
{
"content": "sortHTML",
"role": "assistant"
}
] |
def x(self, i, image):
if isinstance(self._titlesAlignments.readsAlignments.reads, FastqReads):
format_ = 'fastq'
else:
format_ = 'fasta'
filename = '%s/%d.%s' % (self._outputDir, i, format_)
titleAlignments = self._titlesAlignments[image['title']]
with open(filename, 'w') as fp:
for titleAlignment in titleAlignments:
fp.write(titleAlignment.read.toString(format_))
return format_
| writeFASTA | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, image):\n if isinstance(self._titlesAlignments.readsAlignments.reads, FastqReads):\n format_ = 'fastq'\n else:\n format_ = 'fasta'\n filename = '%s/%d.%s' % (self._outputDir, i, format_)\n titleAlignments = self._titlesAlignments[image['title']]\n with open(filename, 'w') as fp:\n for titleAlignment in titleAlignments:\n fp.write(titleAlignment.read.toString(format_))\n return format_\n",
"role": "user"
},
{
"content": "writeFASTA",
"role": "assistant"
}
] |
def x(self, i, image):
basename = 'features-%d.txt' % i
filename = '%s/%s' % (self._outputDir, basename)
featureList = image['graphInfo']['features']
with open(filename, 'w') as fp:
for feature in featureList:
fp.write('%s\n\n' % feature.feature)
return basename
| writeFeatures | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, image):\n basename = 'features-%d.txt' % i\n filename = '%s/%s' % (self._outputDir, basename)\n featureList = image['graphInfo']['features']\n with open(filename, 'w') as fp:\n for feature in featureList:\n fp.write('%s\\n\\n' % feature.feature)\n return basename\n",
"role": "user"
},
{
"content": "writeFeatures",
"role": "assistant"
}
] |
def x(dosDateTime):
dos_date = dosDateTime >> 16
dos_time = dosDateTime & 65535
day = dos_date & 31
month = dos_date >> 5 & 15
year = 1980 + (dos_date >> 9)
second = 2 * (dos_time & 31)
minute = dos_time >> 5 & 63
hour = dos_time >> 11
return time.localtime(time.mktime((year, month, day, hour, minute,
second, 0, 1, -1)))
| DosDateTimeToTimeTuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dosDateTime):\n dos_date = dosDateTime >> 16\n dos_time = dosDateTime & 65535\n day = dos_date & 31\n month = dos_date >> 5 & 15\n year = 1980 + (dos_date >> 9)\n second = 2 * (dos_time & 31)\n minute = dos_time >> 5 & 63\n hour = dos_time >> 11\n return time.localtime(time.mktime((year, month, day, hour, minute,\n second, 0, 1, -1)))\n",
"role": "user"
},
{
"content": "DosDateTimeToTimeTuple",
"role": "assistant"
}
] |
def x(bitScore, dbSize, dbSequenceCount, queryLength, lengthAdjustment):
effectiveDbSize = (dbSize - dbSequenceCount * lengthAdjustment) * (
queryLength - lengthAdjustment)
return effectiveDbSize * 2.0 ** (-1.0 * bitScore)
| bitScoreToEValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bitScore, dbSize, dbSequenceCount, queryLength, lengthAdjustment):\n effectiveDbSize = (dbSize - dbSequenceCount * lengthAdjustment) * (\n queryLength - lengthAdjustment)\n return effectiveDbSize * 2.0 ** (-1.0 * bitScore)\n",
"role": "user"
},
{
"content": "bitScoreToEValue",
"role": "assistant"
}
] |
def x(eValue, dbSize, dbSequenceCount, queryLength, lengthAdjustment):
effectiveDbSize = (dbSize - dbSequenceCount * lengthAdjustment) * (
queryLength - lengthAdjustment)
return -1.0 * (log(eValue / effectiveDbSize) / _LOG2)
| eValueToBitScore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(eValue, dbSize, dbSequenceCount, queryLength, lengthAdjustment):\n effectiveDbSize = (dbSize - dbSequenceCount * lengthAdjustment) * (\n queryLength - lengthAdjustment)\n return -1.0 * (log(eValue / effectiveDbSize) / _LOG2)\n",
"role": "user"
},
{
"content": "eValueToBitScore",
"role": "assistant"
}
] |
def x(btopString):
isdigit = str.isdigit
value = None
queryLetter = None
for offset, char in enumerate(btopString):
if isdigit(char):
if queryLetter is not None:
raise ValueError(
'BTOP string %r has a query letter %r at offset %d with no corresponding subject letter'
% (btopString, queryLetter, offset - 1))
value = int(char) if value is None else value * 10 + int(char)
elif value is not None:
yield value
value = None
queryLetter = char
elif queryLetter is None:
queryLetter = char
else:
if queryLetter == '-' and char == '-':
raise ValueError(
'BTOP string %r has two consecutive gaps at offset %d' %
(btopString, offset - 1))
elif queryLetter == char:
raise ValueError(
'BTOP string %r has two consecutive identical %r letters at offset %d'
% (btopString, char, offset - 1))
yield queryLetter, char
queryLetter = None
if value is not None:
yield value
elif queryLetter is not None:
raise ValueError(
'BTOP string %r has a trailing query letter %r with no corresponding subject letter'
% (btopString, queryLetter))
| parseBtop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(btopString):\n isdigit = str.isdigit\n value = None\n queryLetter = None\n for offset, char in enumerate(btopString):\n if isdigit(char):\n if queryLetter is not None:\n raise ValueError(\n 'BTOP string %r has a query letter %r at offset %d with no corresponding subject letter'\n % (btopString, queryLetter, offset - 1))\n value = int(char) if value is None else value * 10 + int(char)\n elif value is not None:\n yield value\n value = None\n queryLetter = char\n elif queryLetter is None:\n queryLetter = char\n else:\n if queryLetter == '-' and char == '-':\n raise ValueError(\n 'BTOP string %r has two consecutive gaps at offset %d' %\n (btopString, offset - 1))\n elif queryLetter == char:\n raise ValueError(\n 'BTOP string %r has two consecutive identical %r letters at offset %d'\n % (btopString, char, offset - 1))\n yield queryLetter, char\n queryLetter = None\n if value is not None:\n yield value\n elif queryLetter is not None:\n raise ValueError(\n 'BTOP string %r has a trailing query letter %r with no corresponding subject letter'\n % (btopString, queryLetter))\n",
"role": "user"
},
{
"content": "parseBtop",
"role": "assistant"
}
] |
def x(btopString):
queryGaps = subjectGaps = 0
for countOrMismatch in parseBtop(btopString):
if isinstance(countOrMismatch, tuple):
queryChar, subjectChar = countOrMismatch
queryGaps += int(queryChar == '-')
subjectGaps += int(subjectChar == '-')
return queryGaps, subjectGaps
| countGaps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(btopString):\n queryGaps = subjectGaps = 0\n for countOrMismatch in parseBtop(btopString):\n if isinstance(countOrMismatch, tuple):\n queryChar, subjectChar = countOrMismatch\n queryGaps += int(queryChar == '-')\n subjectGaps += int(subjectChar == '-')\n return queryGaps, subjectGaps\n",
"role": "user"
},
{
"content": "countGaps",
"role": "assistant"
}
] |
def x(btopString, concise=False, aa=False):
if aa and concise:
raise ValueError('aa and concise cannot both be True')
result = []
thisLength = thisOperation = currentLength = currentOperation = None
for item in parseBtop(btopString):
if isinstance(item, int):
thisLength = item
thisOperation = CEQUAL if concise else CMATCH
else:
thisLength = 1
query, reference = item
if query == '-':
assert reference != '-'
thisOperation = CDEL
elif reference == '-':
thisOperation = CINS
else:
assert query != reference
thisOperation = CDIFF if concise else CMATCH
if thisOperation == currentOperation:
currentLength += thisLength
else:
if currentOperation:
result.append('%d%s' % (3 * currentLength if aa else
currentLength, currentOperation))
currentLength, currentOperation = thisLength, thisOperation
assert currentOperation or btopString == ''
if currentOperation:
result.append('%d%s' % (3 * currentLength if aa else currentLength,
currentOperation))
return ''.join(result)
| btop2cigar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(btopString, concise=False, aa=False):\n if aa and concise:\n raise ValueError('aa and concise cannot both be True')\n result = []\n thisLength = thisOperation = currentLength = currentOperation = None\n for item in parseBtop(btopString):\n if isinstance(item, int):\n thisLength = item\n thisOperation = CEQUAL if concise else CMATCH\n else:\n thisLength = 1\n query, reference = item\n if query == '-':\n assert reference != '-'\n thisOperation = CDEL\n elif reference == '-':\n thisOperation = CINS\n else:\n assert query != reference\n thisOperation = CDIFF if concise else CMATCH\n if thisOperation == currentOperation:\n currentLength += thisLength\n else:\n if currentOperation:\n result.append('%d%s' % (3 * currentLength if aa else\n currentLength, currentOperation))\n currentLength, currentOperation = thisLength, thisOperation\n assert currentOperation or btopString == ''\n if currentOperation:\n result.append('%d%s' % (3 * currentLength if aa else currentLength,\n currentOperation))\n return ''.join(result)\n",
"role": "user"
},
{
"content": "btop2cigar",
"role": "assistant"
}
] |
def x(self, action, node, elapsed_time=None):
if action == 'load_start':
self.stdout.write('Loading fixture {}.{}...'.format(*node), ending='')
self.stdout.flush()
elif action == 'load_success':
message = 'SUCCESS'
if elapsed_time:
message += ' ({:.03} seconds) '.format(elapsed_time)
self.stdout.write(message)
| progress_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action, node, elapsed_time=None):\n if action == 'load_start':\n self.stdout.write('Loading fixture {}.{}...'.format(*node), ending='')\n self.stdout.flush()\n elif action == 'load_success':\n message = 'SUCCESS'\n if elapsed_time:\n message += ' ({:.03} seconds) '.format(elapsed_time)\n self.stdout.write(message)\n",
"role": "user"
},
{
"content": "progress_callback",
"role": "assistant"
}
] |
def x(self, include_id=True, max_name_length=0, abbreviate=True):
name = self.name
if abbreviate:
for abb in self._abbrev:
name = re.sub(abb[0], abb[1], name)
if 3 <= max_name_length < len(name):
name = name[:max_name_length - 3] + '...'
if include_id:
return '%s: %s (%s)' % (self.domain_short, name, self.id)
else:
return '%s: %s' % (self.domain_short, name)
| get_pretty_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_id=True, max_name_length=0, abbreviate=True):\n name = self.name\n if abbreviate:\n for abb in self._abbrev:\n name = re.sub(abb[0], abb[1], name)\n if 3 <= max_name_length < len(name):\n name = name[:max_name_length - 3] + '...'\n if include_id:\n return '%s: %s (%s)' % (self.domain_short, name, self.id)\n else:\n return '%s: %s' % (self.domain_short, name)\n",
"role": "user"
},
{
"content": "get_pretty_format",
"role": "assistant"
}
] |
def x(matrix, inplace=False, target=None):
assert isinstance(matrix, ExpMatrix)
assert isinstance(inplace, bool)
if target is not None:
assert isinstance(target, np.ndarray) and np.issubdtype(target.
dtype, np.float)
if not inplace:
matrix = matrix.copy()
X = matrix.X
_, n = X.shape
nan = []
for j in range(n):
nan.append(np.nonzero(np.isnan(X[:, j]))[0])
if nan[j].size > 0:
q = np.arange(1, nan[j].size + 1, dtype=np.float64) / (nan[j].
size + 1.0)
fill = np.nanpercentile(X[:, j], 100 * q)
X[nan[j], j] = fill
A = np.argsort(X, axis=0, kind='mergesort')
for j in range(n):
matrix.iloc[:, j] = matrix.X[A[:, j], j]
if target is None:
target = np.mean(matrix.X, axis=1)
else:
target = np.sort(target)
A = np.argsort(A, axis=0, kind='mergesort')
for j in range(n):
matrix.iloc[:, j] = target[A[:, j]]
for j in range(n):
if nan[j].size > 0:
matrix.iloc[nan[j], j] = np.nan
return matrix
| quantile_normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(matrix, inplace=False, target=None):\n assert isinstance(matrix, ExpMatrix)\n assert isinstance(inplace, bool)\n if target is not None:\n assert isinstance(target, np.ndarray) and np.issubdtype(target.\n dtype, np.float)\n if not inplace:\n matrix = matrix.copy()\n X = matrix.X\n _, n = X.shape\n nan = []\n for j in range(n):\n nan.append(np.nonzero(np.isnan(X[:, j]))[0])\n if nan[j].size > 0:\n q = np.arange(1, nan[j].size + 1, dtype=np.float64) / (nan[j].\n size + 1.0)\n fill = np.nanpercentile(X[:, j], 100 * q)\n X[nan[j], j] = fill\n A = np.argsort(X, axis=0, kind='mergesort')\n for j in range(n):\n matrix.iloc[:, j] = matrix.X[A[:, j], j]\n if target is None:\n target = np.mean(matrix.X, axis=1)\n else:\n target = np.sort(target)\n A = np.argsort(A, axis=0, kind='mergesort')\n for j in range(n):\n matrix.iloc[:, j] = target[A[:, j]]\n for j in range(n):\n if nan[j].size > 0:\n matrix.iloc[nan[j], j] = np.nan\n return matrix\n",
"role": "user"
},
{
"content": "quantile_normalize",
"role": "assistant"
}
] |
def x(self):
result = _Base.toDict(self)
result['score'] = self.score.score
return result
| toDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = _Base.toDict(self)\n result['score'] = self.score.score\n return result\n",
"role": "user"
},
{
"content": "toDict",
"role": "assistant"
}
] |
def x():
desc = 'Filter FASTA file by chromosome names.'
parser = cli.get_argument_parser(desc=desc)
parser.add_argument('-f', '--fasta-file', default='-', type=str, help=
textwrap.dedent(
""" Path of the FASTA file. The file may be gzip'ed.
If set to ``-``, read from ``stdin``."""
))
parser.add_argument('-s', '--species', type=str, choices=sorted(ensembl
.SPECIES_CHROMPAT.keys()), default='human', help=textwrap.dedent(
""" Species for which to extract genes. (This parameter is ignored
if ``--chromosome-pattern`` is specified.)"""
))
parser.add_argument('-c', '--chromosome-pattern', type=str, required=
False, default=None, help=textwrap.dedent(
""" Regular expression that chromosome names have to match.
If not specified, determine pattern based on the setting of
``--species``."""
))
parser.add_argument('-o', '--output-file', type=str, required=True,
help=textwrap.dedent(
""" Path of output file. If set to ``-``, print to ``stdout``,
and redirect logging messages to ``stderr``."""
))
parser = cli.add_reporting_args(parser)
return parser
| get_argument_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n desc = 'Filter FASTA file by chromosome names.'\n parser = cli.get_argument_parser(desc=desc)\n parser.add_argument('-f', '--fasta-file', default='-', type=str, help=\n textwrap.dedent(\n \"\"\" Path of the FASTA file. The file may be gzip'ed.\n If set to ``-``, read from ``stdin``.\"\"\"\n ))\n parser.add_argument('-s', '--species', type=str, choices=sorted(ensembl\n .SPECIES_CHROMPAT.keys()), default='human', help=textwrap.dedent(\n \"\"\" Species for which to extract genes. (This parameter is ignored\n if ``--chromosome-pattern`` is specified.)\"\"\"\n ))\n parser.add_argument('-c', '--chromosome-pattern', type=str, required=\n False, default=None, help=textwrap.dedent(\n \"\"\" Regular expression that chromosome names have to match.\n If not specified, determine pattern based on the setting of\n ``--species``.\"\"\"\n ))\n parser.add_argument('-o', '--output-file', type=str, required=True,\n help=textwrap.dedent(\n \"\"\" Path of output file. If set to ``-``, print to ``stdout``,\n and redirect logging messages to ``stderr``.\"\"\"\n ))\n parser = cli.add_reporting_args(parser)\n return parser\n",
"role": "user"
},
{
"content": "get_argument_parser",
"role": "assistant"
}
] |
def x(args=None):
if args is None:
parser = get_argument_parser()
args = parser.parse_args()
fasta_file = args.fasta_file
species = args.species
chrom_pat = args.chromosome_pattern
output_file = args.output_file
log_file = args.log_file
quiet = args.quiet
verbose = args.verbose
log_stream = sys.stdout
if output_file == '-':
log_stream = sys.stderr
logger = misc.get_logger(log_stream=log_stream, log_file=log_file,
quiet=quiet, verbose=verbose)
if chrom_pat is None:
chrom_pat = ensembl.SPECIES_CHROMPAT[species]
chrom_re = re.compile(chrom_pat)
with misc.smart_open_read(fasta_file, mode='r', encoding='ascii',
try_gzip=True) as fh, misc.smart_open_write(output_file, mode='w',
encoding='ascii') as ofh:
reader = FastaReader(fh)
for seq in reader:
chrom = seq.name.split(' ', 1)[0]
if chrom_re.match(chrom) is None:
logger.info('Ignoring chromosome "%s"...', chrom)
continue
seq.name = chrom
seq.append_fasta(ofh)
return 0
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args=None):\n if args is None:\n parser = get_argument_parser()\n args = parser.parse_args()\n fasta_file = args.fasta_file\n species = args.species\n chrom_pat = args.chromosome_pattern\n output_file = args.output_file\n log_file = args.log_file\n quiet = args.quiet\n verbose = args.verbose\n log_stream = sys.stdout\n if output_file == '-':\n log_stream = sys.stderr\n logger = misc.get_logger(log_stream=log_stream, log_file=log_file,\n quiet=quiet, verbose=verbose)\n if chrom_pat is None:\n chrom_pat = ensembl.SPECIES_CHROMPAT[species]\n chrom_re = re.compile(chrom_pat)\n with misc.smart_open_read(fasta_file, mode='r', encoding='ascii',\n try_gzip=True) as fh, misc.smart_open_write(output_file, mode='w',\n encoding='ascii') as ofh:\n reader = FastaReader(fh)\n for seq in reader:\n chrom = seq.name.split(' ', 1)[0]\n if chrom_re.match(chrom) is None:\n logger.info('Ignoring chromosome \"%s\"...', chrom)\n continue\n seq.name = chrom\n seq.append_fasta(ofh)\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(req, app):
res = req.get_response(app, catch_exc_info=True)
res.content_type = 'application/json; charset=utf-8'
return res
| ensure_json_content_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(req, app):\n res = req.get_response(app, catch_exc_info=True)\n res.content_type = 'application/json; charset=utf-8'\n return res\n",
"role": "user"
},
{
"content": "ensure_json_content_type",
"role": "assistant"
}
] |
def x(global_conf, **app_conf):
environment.load_environment(global_conf, app_conf)
app = controllers.make_router()
app = set_application_url(app)
if not conf['debug']:
def x(head_html, exception, extra):
error_json = {'code': 500, 'hint':
u'See the HTTP server log to see the exception traceback.',
'message': exception}
if head_html:
error_json['head_html'] = head_html
if extra:
error_json['extra'] = extra
return json.dumps({'error': error_json})
weberror.errormiddleware.error_template = json_error_template
app = weberror.errormiddleware.ErrorMiddleware(app, global_conf, **
conf['errorware'])
app = ensure_json_content_type(app)
app = add_x_api_version_header(app)
if conf['debug'] and ipdb is not None:
app = launch_debugger_on_exception(app)
return app
| make_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(global_conf, **app_conf):\n environment.load_environment(global_conf, app_conf)\n app = controllers.make_router()\n app = set_application_url(app)\n if not conf['debug']:\n\n def x(head_html, exception, extra):\n error_json = {'code': 500, 'hint':\n u'See the HTTP server log to see the exception traceback.',\n 'message': exception}\n if head_html:\n error_json['head_html'] = head_html\n if extra:\n error_json['extra'] = extra\n return json.dumps({'error': error_json})\n weberror.errormiddleware.error_template = json_error_template\n app = weberror.errormiddleware.ErrorMiddleware(app, global_conf, **\n conf['errorware'])\n app = ensure_json_content_type(app)\n app = add_x_api_version_header(app)\n if conf['debug'] and ipdb is not None:\n app = launch_debugger_on_exception(app)\n return app\n",
"role": "user"
},
{
"content": "make_app",
"role": "assistant"
}
] |
def x(dimensions, maxItems=-1):
nDimensions = len(dimensions)
if nDimensions == 0 or maxItems == 0:
return
if any(map(lambda x: x != '*' and x <= 0, dimensions)):
raise ValueError
odometer = [0] * nDimensions
while maxItems != 0:
yield tuple(odometer)
maxItems -= 1
wheel = nDimensions - 1
while dimensions[wheel] != '*' and odometer[wheel] == dimensions[wheel
] - 1 and wheel >= 0:
odometer[wheel] = 0
wheel -= 1
if wheel < 0:
return
odometer[wheel] += 1
| dimensionalIterator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dimensions, maxItems=-1):\n nDimensions = len(dimensions)\n if nDimensions == 0 or maxItems == 0:\n return\n if any(map(lambda x: x != '*' and x <= 0, dimensions)):\n raise ValueError\n odometer = [0] * nDimensions\n while maxItems != 0:\n yield tuple(odometer)\n maxItems -= 1\n wheel = nDimensions - 1\n while dimensions[wheel] != '*' and odometer[wheel] == dimensions[wheel\n ] - 1 and wheel >= 0:\n odometer[wheel] = 0\n wheel -= 1\n if wheel < 0:\n return\n odometer[wheel] += 1\n",
"role": "user"
},
{
"content": "dimensionalIterator",
"role": "assistant"
}
] |
def x(dnaMatch, read1, read2, matchAmbiguous=True, indent='', offsets=None):
match = dnaMatch['match']
identicalMatchCount = match['identicalMatchCount']
ambiguousMatchCount = match['ambiguousMatchCount']
gapMismatchCount = match['gapMismatchCount']
gapGapMismatchCount = match['gapGapMismatchCount']
nonGapMismatchCount = match['nonGapMismatchCount']
if offsets:
len1 = len2 = len(offsets)
else:
len1, len2 = map(len, (read1, read2))
result = []
append = result.append
append(countPrint('%sExact matches' % indent, identicalMatchCount, len1,
len2))
append(countPrint('%sAmbiguous matches' % indent, ambiguousMatchCount,
len1, len2))
if ambiguousMatchCount and identicalMatchCount:
anyMatchCount = identicalMatchCount + ambiguousMatchCount
append(countPrint('%sExact or ambiguous matches' % indent,
anyMatchCount, len1, len2))
mismatchCount = (gapMismatchCount + gapGapMismatchCount +
nonGapMismatchCount)
append(countPrint('%sMismatches' % indent, mismatchCount, len1, len2))
conflicts = 'conflicts' if matchAmbiguous else 'conflicts or ambiguities'
append(countPrint('%s Not involving gaps (i.e., %s)' % (indent,
conflicts), nonGapMismatchCount, len1, len2))
append(countPrint('%s Involving a gap in one sequence' % indent,
gapMismatchCount, len1, len2))
append(countPrint('%s Involving a gap in both sequences' % indent,
gapGapMismatchCount, len1, len2))
for read, key in zip((read1, read2), ('read1', 'read2')):
append('%s Id: %s' % (indent, read.id))
length = len(read)
append('%s Length: %d' % (indent, length))
gapCount = len(dnaMatch[key]['gapOffsets'])
append(countPrint('%s Gaps' % indent, gapCount, length))
if gapCount:
append('%s Gap locations (1-based): %s' % (indent, ', '.join
(map(lambda offset: str(offset + 1), sorted(dnaMatch[key][
'gapOffsets'])))))
ambiguousCount = len(dnaMatch[key]['ambiguousOffsets'])
append(countPrint('%s Ambiguous' % indent, ambiguousCount, length))
extraCount = dnaMatch[key]['extraCount']
if extraCount:
append(countPrint('%s Extra nucleotides at end' % indent,
extraCount, length))
return '\n'.join(result)
| matchToString | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dnaMatch, read1, read2, matchAmbiguous=True, indent='', offsets=None):\n match = dnaMatch['match']\n identicalMatchCount = match['identicalMatchCount']\n ambiguousMatchCount = match['ambiguousMatchCount']\n gapMismatchCount = match['gapMismatchCount']\n gapGapMismatchCount = match['gapGapMismatchCount']\n nonGapMismatchCount = match['nonGapMismatchCount']\n if offsets:\n len1 = len2 = len(offsets)\n else:\n len1, len2 = map(len, (read1, read2))\n result = []\n append = result.append\n append(countPrint('%sExact matches' % indent, identicalMatchCount, len1,\n len2))\n append(countPrint('%sAmbiguous matches' % indent, ambiguousMatchCount,\n len1, len2))\n if ambiguousMatchCount and identicalMatchCount:\n anyMatchCount = identicalMatchCount + ambiguousMatchCount\n append(countPrint('%sExact or ambiguous matches' % indent,\n anyMatchCount, len1, len2))\n mismatchCount = (gapMismatchCount + gapGapMismatchCount +\n nonGapMismatchCount)\n append(countPrint('%sMismatches' % indent, mismatchCount, len1, len2))\n conflicts = 'conflicts' if matchAmbiguous else 'conflicts or ambiguities'\n append(countPrint('%s Not involving gaps (i.e., %s)' % (indent,\n conflicts), nonGapMismatchCount, len1, len2))\n append(countPrint('%s Involving a gap in one sequence' % indent,\n gapMismatchCount, len1, len2))\n append(countPrint('%s Involving a gap in both sequences' % indent,\n gapGapMismatchCount, len1, len2))\n for read, key in zip((read1, read2), ('read1', 'read2')):\n append('%s Id: %s' % (indent, read.id))\n length = len(read)\n append('%s Length: %d' % (indent, length))\n gapCount = len(dnaMatch[key]['gapOffsets'])\n append(countPrint('%s Gaps' % indent, gapCount, length))\n if gapCount:\n append('%s Gap locations (1-based): %s' % (indent, ', '.join\n (map(lambda offset: str(offset + 1), sorted(dnaMatch[key][\n 'gapOffsets'])))))\n ambiguousCount = len(dnaMatch[key]['ambiguousOffsets'])\n append(countPrint('%s Ambiguous' % indent, ambiguousCount, length))\n extraCount = dnaMatch[key]['extraCount']\n if extraCount:\n append(countPrint('%s Extra nucleotides at end' % indent,\n extraCount, length))\n return '\\n'.join(result)\n",
"role": "user"
},
{
"content": "matchToString",
"role": "assistant"
}
] |
def x(read1, read2, matchAmbiguous=True, gapChars='-', offsets=None):
identicalMatchCount = ambiguousMatchCount = 0
gapMismatchCount = nonGapMismatchCount = gapGapMismatchCount = 0
read1ExtraCount = read2ExtraCount = 0
read1GapOffsets = []
read2GapOffsets = []
read1AmbiguousOffsets = []
read2AmbiguousOffsets = []
empty = set()
def x(a, b):
return a == b and len(AMBIGUOUS[a]) == 1
def x(a, b, matchAmbiguous):
return matchAmbiguous and not _identicalMatch(a, b) and AMBIGUOUS.get(a
, empty) & AMBIGUOUS.get(b, empty)
for offset, (a, b) in enumerate(zip_longest(read1.sequence.upper(),
read2.sequence.upper())):
if offsets is not None and offset not in offsets:
continue
if len(AMBIGUOUS.get(a, '')) > 1:
read1AmbiguousOffsets.append(offset)
if len(AMBIGUOUS.get(b, '')) > 1:
read2AmbiguousOffsets.append(offset)
if a is None:
assert b is not None
read2ExtraCount += 1
if b in gapChars:
read2GapOffsets.append(offset)
elif b is None:
read1ExtraCount += 1
if a in gapChars:
read1GapOffsets.append(offset)
elif a in gapChars:
read1GapOffsets.append(offset)
if b in gapChars:
gapGapMismatchCount += 1
read2GapOffsets.append(offset)
else:
gapMismatchCount += 1
elif b in gapChars:
gapMismatchCount += 1
read2GapOffsets.append(offset)
elif _identicalMatch(a, b):
identicalMatchCount += 1
elif _ambiguousMatch(a, b, matchAmbiguous):
ambiguousMatchCount += 1
else:
nonGapMismatchCount += 1
return {'match': {'identicalMatchCount': identicalMatchCount,
'ambiguousMatchCount': ambiguousMatchCount, 'gapMismatchCount':
gapMismatchCount, 'gapGapMismatchCount': gapGapMismatchCount,
'nonGapMismatchCount': nonGapMismatchCount}, 'read1': {
'ambiguousOffsets': read1AmbiguousOffsets, 'extraCount':
read1ExtraCount, 'gapOffsets': read1GapOffsets}, 'read2': {
'ambiguousOffsets': read2AmbiguousOffsets, 'extraCount':
read2ExtraCount, 'gapOffsets': read2GapOffsets}}
| compareDNAReads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(read1, read2, matchAmbiguous=True, gapChars='-', offsets=None):\n identicalMatchCount = ambiguousMatchCount = 0\n gapMismatchCount = nonGapMismatchCount = gapGapMismatchCount = 0\n read1ExtraCount = read2ExtraCount = 0\n read1GapOffsets = []\n read2GapOffsets = []\n read1AmbiguousOffsets = []\n read2AmbiguousOffsets = []\n empty = set()\n\n def x(a, b):\n return a == b and len(AMBIGUOUS[a]) == 1\n\n def x(a, b, matchAmbiguous):\n return matchAmbiguous and not _identicalMatch(a, b) and AMBIGUOUS.get(a\n , empty) & AMBIGUOUS.get(b, empty)\n for offset, (a, b) in enumerate(zip_longest(read1.sequence.upper(),\n read2.sequence.upper())):\n if offsets is not None and offset not in offsets:\n continue\n if len(AMBIGUOUS.get(a, '')) > 1:\n read1AmbiguousOffsets.append(offset)\n if len(AMBIGUOUS.get(b, '')) > 1:\n read2AmbiguousOffsets.append(offset)\n if a is None:\n assert b is not None\n read2ExtraCount += 1\n if b in gapChars:\n read2GapOffsets.append(offset)\n elif b is None:\n read1ExtraCount += 1\n if a in gapChars:\n read1GapOffsets.append(offset)\n elif a in gapChars:\n read1GapOffsets.append(offset)\n if b in gapChars:\n gapGapMismatchCount += 1\n read2GapOffsets.append(offset)\n else:\n gapMismatchCount += 1\n elif b in gapChars:\n gapMismatchCount += 1\n read2GapOffsets.append(offset)\n elif _identicalMatch(a, b):\n identicalMatchCount += 1\n elif _ambiguousMatch(a, b, matchAmbiguous):\n ambiguousMatchCount += 1\n else:\n nonGapMismatchCount += 1\n return {'match': {'identicalMatchCount': identicalMatchCount,\n 'ambiguousMatchCount': ambiguousMatchCount, 'gapMismatchCount':\n gapMismatchCount, 'gapGapMismatchCount': gapGapMismatchCount,\n 'nonGapMismatchCount': nonGapMismatchCount}, 'read1': {\n 'ambiguousOffsets': read1AmbiguousOffsets, 'extraCount':\n read1ExtraCount, 'gapOffsets': read1GapOffsets}, 'read2': {\n 'ambiguousOffsets': read2AmbiguousOffsets, 'extraCount':\n read2ExtraCount, 'gapOffsets': read2GapOffsets}}\n",
"role": "user"
},
{
"content": "compareDNAReads",
"role": "assistant"
}
] |
def x(read):
readLen = len(read)
if readLen > 9:
offset = 6
readSeq = read.sequence
while offset < readLen - 3:
triplet = readSeq[offset:offset + 3]
if triplet == 'ATG':
if readSeq[offset + 3] == 'G':
if readSeq[offset - 3] in 'GA':
kozakQualityCount = sum((readSeq[offset - 1] == 'C',
readSeq[offset - 2] == 'C', readSeq[offset - 4] ==
'C', readSeq[offset - 5] == 'C', readSeq[offset -
6] == 'G'))
kozakQualityPercent = kozakQualityCount / 5.0 * 100
yield DNAKozakRead(read, offset - 6, offset + 4,
kozakQualityPercent)
offset += 1
| findKozakConsensus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(read):\n readLen = len(read)\n if readLen > 9:\n offset = 6\n readSeq = read.sequence\n while offset < readLen - 3:\n triplet = readSeq[offset:offset + 3]\n if triplet == 'ATG':\n if readSeq[offset + 3] == 'G':\n if readSeq[offset - 3] in 'GA':\n kozakQualityCount = sum((readSeq[offset - 1] == 'C',\n readSeq[offset - 2] == 'C', readSeq[offset - 4] ==\n 'C', readSeq[offset - 5] == 'C', readSeq[offset -\n 6] == 'G'))\n kozakQualityPercent = kozakQualityCount / 5.0 * 100\n yield DNAKozakRead(read, offset - 6, offset + 4,\n kozakQualityPercent)\n offset += 1\n",
"role": "user"
},
{
"content": "findKozakConsensus",
"role": "assistant"
}
] |
def x(fastaFile, jsonFiles):
reads = FastaReads(fastaFile)
readsAlignments = BlastReadsAlignments(reads, jsonFiles)
for index, readAlignments in enumerate(readsAlignments):
fastaLen = len(readAlignments.read)
for readAlignment in readAlignments:
for hsp in readAlignment.hsps:
assert fastaLen >= len(hsp.query) - hsp.query.count('-'
), """record %d: FASTA len %d < HSP query len %d.
FASTA: %s
Query match: %s""" % (
index, fastaLen, len(hsp.query), readAlignments.read.
sequence, hsp.query)
assert fastaLen >= hsp.readEnd >= hsp.readStart, """record %d: FASTA len %d not greater than both read offsets (%d - %d), or read offsets are non-increasing. FASTA: %s
Query match: %s""" % (
index, fastaLen, hsp.readStart, hsp.readEnd,
readAlignments.read.sequence, hsp.query)
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fastaFile, jsonFiles):\n reads = FastaReads(fastaFile)\n readsAlignments = BlastReadsAlignments(reads, jsonFiles)\n for index, readAlignments in enumerate(readsAlignments):\n fastaLen = len(readAlignments.read)\n for readAlignment in readAlignments:\n for hsp in readAlignment.hsps:\n assert fastaLen >= len(hsp.query) - hsp.query.count('-'\n ), \"\"\"record %d: FASTA len %d < HSP query len %d.\nFASTA: %s\nQuery match: %s\"\"\" % (\n index, fastaLen, len(hsp.query), readAlignments.read.\n sequence, hsp.query)\n assert fastaLen >= hsp.readEnd >= hsp.readStart, \"\"\"record %d: FASTA len %d not greater than both read offsets (%d - %d), or read offsets are non-increasing. FASTA: %s\nQuery match: %s\"\"\" % (\n index, fastaLen, hsp.readStart, hsp.readEnd,\n readAlignments.read.sequence, hsp.query)\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(identity, colors):
for threshold, _ in colors:
if identity >= threshold:
return threshold
raise ValueError('This should never happen! Last threshold is not 0.0?')
| thresholdForIdentity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(identity, colors):\n for threshold, _ in colors:\n if identity >= threshold:\n return threshold\n raise ValueError('This should never happen! Last threshold is not 0.0?')\n",
"role": "user"
},
{
"content": "thresholdForIdentity",
"role": "assistant"
}
] |
def x(colors, defaultColor):
result = []
if colors:
for colorInfo in colors:
fields = colorInfo.split(maxsplit=1)
if len(fields) == 2:
threshold, color = fields
try:
threshold = float(threshold)
except ValueError:
print(
'--color arguments must be given as space-separated pairs of "value color" where the value is a numeric identity threshold. Your value %r is not numeric.'
% threshold, file=sys.stderr)
sys.exit(1)
if 0.0 > threshold > 1.0:
print(
'--color arguments must be given as space-separated pairs of "value color" where the value is a numeric identity threshold from 0.0 to 1.0. Your value %r is not in that range.'
% threshold, file=sys.stderr)
sys.exit(1)
result.append((threshold, color))
else:
print(
'--color arguments must be given as space-separated pairs of "value color". You have given %r, which does not contain a space.'
% colorInfo, file=sys.stderr)
sys.exit(1)
result.sort(key=itemgetter(0), reverse=True)
if not result or result[-1][0] > 0.0:
result.append((0.0, defaultColor))
return result
| parseColors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(colors, defaultColor):\n result = []\n if colors:\n for colorInfo in colors:\n fields = colorInfo.split(maxsplit=1)\n if len(fields) == 2:\n threshold, color = fields\n try:\n threshold = float(threshold)\n except ValueError:\n print(\n '--color arguments must be given as space-separated pairs of \"value color\" where the value is a numeric identity threshold. Your value %r is not numeric.'\n % threshold, file=sys.stderr)\n sys.exit(1)\n if 0.0 > threshold > 1.0:\n print(\n '--color arguments must be given as space-separated pairs of \"value color\" where the value is a numeric identity threshold from 0.0 to 1.0. Your value %r is not in that range.'\n % threshold, file=sys.stderr)\n sys.exit(1)\n result.append((threshold, color))\n else:\n print(\n '--color arguments must be given as space-separated pairs of \"value color\". You have given %r, which does not contain a space.'\n % colorInfo, file=sys.stderr)\n sys.exit(1)\n result.sort(key=itemgetter(0), reverse=True)\n if not result or result[-1][0] > 0.0:\n result.append((0.0, defaultColor))\n return result\n",
"role": "user"
},
{
"content": "parseColors",
"role": "assistant"
}
] |
def x(reads, gapChars):
gapChars = set(gapChars)
result = {}
for read in reads:
result[read.id] = len(read) - sum(character in gapChars for
character in read.sequence)
return result
| getReadLengths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reads, gapChars):\n gapChars = set(gapChars)\n result = {}\n for read in reads:\n result[read.id] = len(read) - sum(character in gapChars for\n character in read.sequence)\n return result\n",
"role": "user"
},
{
"content": "getReadLengths",
"role": "assistant"
}
] |
def x(matchAmbiguous, concise, showLengths, showGaps, showNs):
result = [
"""
<h1>Sequence versus sequence identity table</h1>
<p>
The table cells below show the nucleotide identity fraction for the sequences
(<span class="best">like this</span> for the best value in each row). The
identity fraction numerator is the sum of the number of identical
"""
]
if matchAmbiguous:
result.append(
'nucleotides plus the number of ambiguously matching nucleotides.')
else:
result.append('nucleotides.')
result.append(
"""The denominator
is the length of the sequence <em>for the row</em>. Sequence gaps
are not included when calculating their lengths.
</p>
"""
)
if showLengths or showGaps or showNs or matchAmbiguous or not concise:
result.append('\n<p>\n\nKey to abbreviations:\n <ul>\n ')
if showLengths:
result.append('<li>L: sequence Length.</li>')
if showGaps:
result.append('<li>G: number of Gaps in sequence.</li>')
if showNs:
result.append('<li>N: number of N characters in sequence.</li>')
if not concise:
result.append('<li>IM: Identical nucleotide Matches.</li>')
if matchAmbiguous:
result.append('<li>AM: Ambiguous nucleotide Matches.</li>')
result.append(
"""
<li>GG: Gap/Gap matches (both sequences have gaps).</li>
<li>G?: Gap/Non-gap mismatches (one sequence has a gap).</li>
<li>NE: Non-equal nucleotide mismatches.</li>
</ul>
</p>
"""
)
return '\n'.join(result)
| explanation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(matchAmbiguous, concise, showLengths, showGaps, showNs):\n result = [\n \"\"\"\n<h1>Sequence versus sequence identity table</h1>\n\n<p>\n\nThe table cells below show the nucleotide identity fraction for the sequences\n(<span class=\"best\">like this</span> for the best value in each row). The\nidentity fraction numerator is the sum of the number of identical\n \"\"\"\n ]\n if matchAmbiguous:\n result.append(\n 'nucleotides plus the number of ambiguously matching nucleotides.')\n else:\n result.append('nucleotides.')\n result.append(\n \"\"\"The denominator\nis the length of the sequence <em>for the row</em>. Sequence gaps\nare not included when calculating their lengths.\n\n</p>\n \"\"\"\n )\n if showLengths or showGaps or showNs or matchAmbiguous or not concise:\n result.append('\\n<p>\\n\\nKey to abbreviations:\\n <ul>\\n ')\n if showLengths:\n result.append('<li>L: sequence Length.</li>')\n if showGaps:\n result.append('<li>G: number of Gaps in sequence.</li>')\n if showNs:\n result.append('<li>N: number of N characters in sequence.</li>')\n if not concise:\n result.append('<li>IM: Identical nucleotide Matches.</li>')\n if matchAmbiguous:\n result.append('<li>AM: Ambiguous nucleotide Matches.</li>')\n result.append(\n \"\"\"\n <li>GG: Gap/Gap matches (both sequences have gaps).</li>\n <li>G?: Gap/Non-gap mismatches (one sequence has a gap).</li>\n <li>NE: Non-equal nucleotide mismatches.</li>\n </ul>\n</p>\n\"\"\"\n )\n return '\\n'.join(result)\n",
"role": "user"
},
{
"content": "explanation",
"role": "assistant"
}
] |
def x(reads1, reads2, square, matchAmbiguous):
result = defaultdict(dict)
for id1, read1 in reads1.items():
for id2, read2 in reads2.items():
if id1 != id2 or not square:
match = compareDNAReads(read1, read2, matchAmbiguous=
matchAmbiguous)['match']
if not matchAmbiguous:
assert match['ambiguousMatchCount'] == 0
result[id1][id2] = result[id2][id1] = match
return result
| collectData | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reads1, reads2, square, matchAmbiguous):\n result = defaultdict(dict)\n for id1, read1 in reads1.items():\n for id2, read2 in reads2.items():\n if id1 != id2 or not square:\n match = compareDNAReads(read1, read2, matchAmbiguous=\n matchAmbiguous)['match']\n if not matchAmbiguous:\n assert match['ambiguousMatchCount'] == 0\n result[id1][id2] = result[id2][id1] = match\n return result\n",
"role": "user"
},
{
"content": "collectData",
"role": "assistant"
}
] |
def x(tableData, reads1, reads2, square, matchAmbiguous, gapChars):
readLengths1 = getReadLengths(reads1.values(), gapChars)
print('ID\t' + '\t'.join(reads2))
for id1, read1 in reads1.items():
read1Len = readLengths1[id1]
print(id1, end='')
for id2, read2 in reads2.items():
if id1 == id2 and square:
print('\t', end='')
else:
stats = tableData[id1][id2]
identity = (stats['identicalMatchCount'] + (stats[
'ambiguousMatchCount'] if matchAmbiguous else 0)
) / read1Len
print('\t%.4f' % identity, end='')
print()
| simpleTable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tableData, reads1, reads2, square, matchAmbiguous, gapChars):\n readLengths1 = getReadLengths(reads1.values(), gapChars)\n print('ID\\t' + '\\t'.join(reads2))\n for id1, read1 in reads1.items():\n read1Len = readLengths1[id1]\n print(id1, end='')\n for id2, read2 in reads2.items():\n if id1 == id2 and square:\n print('\\t', end='')\n else:\n stats = tableData[id1][id2]\n identity = (stats['identicalMatchCount'] + (stats[\n 'ambiguousMatchCount'] if matchAmbiguous else 0)\n ) / read1Len\n print('\\t%.4f' % identity, end='')\n print()\n",
"role": "user"
},
{
"content": "simpleTable",
"role": "assistant"
}
] |
def x(tableData, reads1, reads2, square, matchAmbiguous, colors, concise=
False, showLengths=False, showGaps=False, showNs=False, footer=False,
div=False, gapChars='-'):
readLengths1 = getReadLengths(reads1.values(), gapChars)
readLengths2 = getReadLengths(reads2.values(), gapChars)
result = []
append = result.append
def x():
append(' <tr>')
append(' <td> </td>')
for read2 in reads2.values():
append(' <td class="title"><span class="name">%s</span>' %
read2.id)
if showLengths and not square:
append(' <br>L:%d' % readLengths2[read2.id])
if showGaps and not square:
append(' <br>G:%d' % (len(read2) - readLengths2[read2.id]))
if showNs and not square:
append(' <br>N:%d' % read2.sequence.count('N'))
append(' </td>')
append(' </tr>')
if div:
append('<div>')
else:
append('<!DOCTYPE HTML>')
append('<html>')
append('<head>')
append('<meta charset="UTF-8">')
append('</head>')
append('<body>')
append('<style>')
append(
"""
table {
border-collapse: collapse;
}
table, td {
border: 1px solid #ccc;
}
tr:hover {
background-color: #f2f2f2;
}
td {
vertical-align: top;
font-size: 14px;
}
span.name {
font-weight: bold;
}
span.best {
font-weight: bold;
}
"""
)
for threshold, color in colors:
append('.%s { background-color: %s; }' % (thresholdToCssName(
threshold), color))
append('</style>')
if not div:
append(explanation(matchAmbiguous, concise, showLengths, showGaps,
showNs))
append('<div style="overflow-x:auto;">')
append('<table>')
append(' <tbody>')
bestIdentityForId = {}
for id1, read1 in reads1.items():
read1Len = readLengths1[id1]
bestIdentity = -1.0
for id2, read2 in reads2.items():
if id1 != id2 or not square:
stats = tableData[id1][id2]
identity = (stats['identicalMatchCount'] + (stats[
'ambiguousMatchCount'] if matchAmbiguous else 0)
) / read1Len
if identity > bestIdentity:
bestIdentity = identity
bestIdentityForId[id1] = bestIdentity
writeHeader()
for id1, read1 in reads1.items():
read1Len = readLengths1[id1]
append(' <tr>')
append(' <td class="title"><span class="name">%s</span>' % id1)
if showLengths:
append('<br/>L:%d' % read1Len)
if showGaps:
append('<br/>G:%d' % (len(read1) - read1Len))
if showNs:
append('<br/>N:%d' % read1.sequence.count('N'))
append('</td>')
for id2, read2 in reads2.items():
if id1 == id2 and square:
append('<td> </td>')
continue
stats = tableData[id1][id2]
identity = (stats['identicalMatchCount'] + (stats[
'ambiguousMatchCount'] if matchAmbiguous else 0)) / read1Len
append(' <td class="%s">' % thresholdToCssName(
thresholdForIdentity(identity, colors)))
if identity == bestIdentityForId[id1]:
scoreStyle = ' class="best"'
else:
scoreStyle = ''
append('<span%s>%.4f</span>' % (scoreStyle, identity))
if not concise:
append('<br/>IM:%d' % stats['identicalMatchCount'])
if matchAmbiguous:
append('<br/>AM:%d' % stats['ambiguousMatchCount'])
append('<br/>GG:%d<br/>G?:%d<br/>NE:%d' % (stats[
'gapGapMismatchCount'], stats['gapMismatchCount'],
stats['nonGapMismatchCount']))
append(' </td>')
append(' </tr>')
if footer:
writeHeader()
append(' </tbody>')
append('</table>')
append('</div>')
if div:
append('</div>')
else:
append('</body>')
append('</html>')
return '\n'.join(result)
| htmlTable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tableData, reads1, reads2, square, matchAmbiguous, colors, concise=\n False, showLengths=False, showGaps=False, showNs=False, footer=False,\n div=False, gapChars='-'):\n readLengths1 = getReadLengths(reads1.values(), gapChars)\n readLengths2 = getReadLengths(reads2.values(), gapChars)\n result = []\n append = result.append\n\n def x():\n append(' <tr>')\n append(' <td> </td>')\n for read2 in reads2.values():\n append(' <td class=\"title\"><span class=\"name\">%s</span>' %\n read2.id)\n if showLengths and not square:\n append(' <br>L:%d' % readLengths2[read2.id])\n if showGaps and not square:\n append(' <br>G:%d' % (len(read2) - readLengths2[read2.id]))\n if showNs and not square:\n append(' <br>N:%d' % read2.sequence.count('N'))\n append(' </td>')\n append(' </tr>')\n if div:\n append('<div>')\n else:\n append('<!DOCTYPE HTML>')\n append('<html>')\n append('<head>')\n append('<meta charset=\"UTF-8\">')\n append('</head>')\n append('<body>')\n append('<style>')\n append(\n \"\"\"\n table {\n border-collapse: collapse;\n }\n table, td {\n border: 1px solid #ccc;\n }\n tr:hover {\n background-color: #f2f2f2;\n }\n td {\n vertical-align: top;\n font-size: 14px;\n }\n span.name {\n font-weight: bold;\n }\n span.best {\n font-weight: bold;\n }\n \"\"\"\n )\n for threshold, color in colors:\n append('.%s { background-color: %s; }' % (thresholdToCssName(\n threshold), color))\n append('</style>')\n if not div:\n append(explanation(matchAmbiguous, concise, showLengths, showGaps,\n showNs))\n append('<div style=\"overflow-x:auto;\">')\n append('<table>')\n append(' <tbody>')\n bestIdentityForId = {}\n for id1, read1 in reads1.items():\n read1Len = readLengths1[id1]\n bestIdentity = -1.0\n for id2, read2 in reads2.items():\n if id1 != id2 or not square:\n stats = tableData[id1][id2]\n identity = (stats['identicalMatchCount'] + (stats[\n 'ambiguousMatchCount'] if matchAmbiguous else 0)\n ) / read1Len\n if identity > bestIdentity:\n bestIdentity = identity\n bestIdentityForId[id1] = bestIdentity\n writeHeader()\n for id1, read1 in reads1.items():\n read1Len = readLengths1[id1]\n append(' <tr>')\n append(' <td class=\"title\"><span class=\"name\">%s</span>' % id1)\n if showLengths:\n append('<br/>L:%d' % read1Len)\n if showGaps:\n append('<br/>G:%d' % (len(read1) - read1Len))\n if showNs:\n append('<br/>N:%d' % read1.sequence.count('N'))\n append('</td>')\n for id2, read2 in reads2.items():\n if id1 == id2 and square:\n append('<td> </td>')\n continue\n stats = tableData[id1][id2]\n identity = (stats['identicalMatchCount'] + (stats[\n 'ambiguousMatchCount'] if matchAmbiguous else 0)) / read1Len\n append(' <td class=\"%s\">' % thresholdToCssName(\n thresholdForIdentity(identity, colors)))\n if identity == bestIdentityForId[id1]:\n scoreStyle = ' class=\"best\"'\n else:\n scoreStyle = ''\n append('<span%s>%.4f</span>' % (scoreStyle, identity))\n if not concise:\n append('<br/>IM:%d' % stats['identicalMatchCount'])\n if matchAmbiguous:\n append('<br/>AM:%d' % stats['ambiguousMatchCount'])\n append('<br/>GG:%d<br/>G?:%d<br/>NE:%d' % (stats[\n 'gapGapMismatchCount'], stats['gapMismatchCount'],\n stats['nonGapMismatchCount']))\n append(' </td>')\n append(' </tr>')\n if footer:\n writeHeader()\n append(' </tbody>')\n append('</table>')\n append('</div>')\n if div:\n append('</div>')\n else:\n append('</body>')\n append('</html>')\n return '\\n'.join(result)\n",
"role": "user"
},
{
"content": "htmlTable",
"role": "assistant"
}
] |
def x(function, *args, **kwargs):
name = '{}'.format(uuid4())
handler = None
deps = set()
if 'name' in kwargs:
name = kwargs['name']
del kwargs['name']
elif function is not None:
name = '{}-{}'.format(function.__name__, name)
if 'handler' in kwargs:
handler = kwargs['handler']
del kwargs['handler']
if 'dependencies' in kwargs:
for dep in kwargs['dependencies']:
deps.add(dep)
del kwargs['dependencies']
for arg in args:
if isinstance(arg, Task):
deps.add(arg.name)
for key in kwargs:
if isinstance(kwargs[key], Task):
deps.add(kwargs[key].name)
return Task(name, function, handler, frozenset(deps), args, kwargs)
| create_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function, *args, **kwargs):\n name = '{}'.format(uuid4())\n handler = None\n deps = set()\n if 'name' in kwargs:\n name = kwargs['name']\n del kwargs['name']\n elif function is not None:\n name = '{}-{}'.format(function.__name__, name)\n if 'handler' in kwargs:\n handler = kwargs['handler']\n del kwargs['handler']\n if 'dependencies' in kwargs:\n for dep in kwargs['dependencies']:\n deps.add(dep)\n del kwargs['dependencies']\n for arg in args:\n if isinstance(arg, Task):\n deps.add(arg.name)\n for key in kwargs:\n if isinstance(kwargs[key], Task):\n deps.add(kwargs[key].name)\n return Task(name, function, handler, frozenset(deps), args, kwargs)\n",
"role": "user"
},
{
"content": "create_task",
"role": "assistant"
}
] |
def x(ls_hsi, hso):
N = len(ls_hsi)
ls_hsi_rdy, ls_hsi_vld = zip(*ls_hsi)
ls_hsi_rdy, ls_hsi_vld = list(ls_hsi_rdy), list(ls_hsi_vld)
hso_rdy, hso_vld = hso
@always_comb
def x():
all_vld = True
for i in range(N):
all_vld = all_vld and ls_hsi_vld[i]
hso_vld.next = all_vld
for i in range(N):
ls_hsi_rdy[i].next = all_vld and hso_rdy
return _hsjoin
| hs_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ls_hsi, hso):\n N = len(ls_hsi)\n ls_hsi_rdy, ls_hsi_vld = zip(*ls_hsi)\n ls_hsi_rdy, ls_hsi_vld = list(ls_hsi_rdy), list(ls_hsi_vld)\n hso_rdy, hso_vld = hso\n\n @always_comb\n def x():\n all_vld = True\n for i in range(N):\n all_vld = all_vld and ls_hsi_vld[i]\n hso_vld.next = all_vld\n for i in range(N):\n ls_hsi_rdy[i].next = all_vld and hso_rdy\n return _hsjoin\n",
"role": "user"
},
{
"content": "hs_join",
"role": "assistant"
}
] |
def x(hsi, ls_hso):
N = len(ls_hso)
hsi_rdy, hsi_vld = hsi
ls_hso_rdy, ls_hso_vld = zip(*ls_hso)
ls_hso_rdy, ls_hso_vld = list(ls_hso_rdy), list(ls_hso_vld)
@always_comb
def x():
all_rdy = True
for i in range(N):
all_rdy = all_rdy and ls_hso_rdy[i]
hsi_rdy.next = all_rdy
for i in range(N):
ls_hso_vld[i].next = all_rdy and hsi_vld
return _hsfork
| hs_fork | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hsi, ls_hso):\n N = len(ls_hso)\n hsi_rdy, hsi_vld = hsi\n ls_hso_rdy, ls_hso_vld = zip(*ls_hso)\n ls_hso_rdy, ls_hso_vld = list(ls_hso_rdy), list(ls_hso_vld)\n\n @always_comb\n def x():\n all_rdy = True\n for i in range(N):\n all_rdy = all_rdy and ls_hso_rdy[i]\n hsi_rdy.next = all_rdy\n for i in range(N):\n ls_hso_vld[i].next = all_rdy and hsi_vld\n return _hsfork\n",
"role": "user"
},
{
"content": "hs_fork",
"role": "assistant"
}
] |
def x(sel, ls_hsi, hso):
N = len(ls_hsi)
ls_hsi_rdy, ls_hsi_vld = zip(*ls_hsi)
ls_hsi_rdy, ls_hsi_vld = list(ls_hsi_rdy), list(ls_hsi_vld)
hso_rdy, hso_vld = hso
@always_comb
def x():
hso_vld.next = 0
for i in range(N):
ls_hsi_rdy[i].next = 0
if i == sel:
hso_vld.next = ls_hsi_vld[i]
ls_hsi_rdy[i].next = hso_rdy
return _hsmux
| hs_mux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sel, ls_hsi, hso):\n N = len(ls_hsi)\n ls_hsi_rdy, ls_hsi_vld = zip(*ls_hsi)\n ls_hsi_rdy, ls_hsi_vld = list(ls_hsi_rdy), list(ls_hsi_vld)\n hso_rdy, hso_vld = hso\n\n @always_comb\n def x():\n hso_vld.next = 0\n for i in range(N):\n ls_hsi_rdy[i].next = 0\n if i == sel:\n hso_vld.next = ls_hsi_vld[i]\n ls_hsi_rdy[i].next = hso_rdy\n return _hsmux\n",
"role": "user"
},
{
"content": "hs_mux",
"role": "assistant"
}
] |
def x(sel, hsi, ls_hso):
N = len(ls_hso)
hsi_rdy, hsi_vld = hsi
ls_hso_rdy, ls_hso_vld = zip(*ls_hso)
ls_hso_rdy, ls_hso_vld = list(ls_hso_rdy), list(ls_hso_vld)
@always_comb
def x():
hsi_rdy.next = 0
for i in range(N):
ls_hso_vld[i].next = 0
if i == sel:
hsi_rdy.next = ls_hso_rdy[i]
ls_hso_vld[i].next = hsi_vld
return _hsdemux
| hs_demux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sel, hsi, ls_hso):\n N = len(ls_hso)\n hsi_rdy, hsi_vld = hsi\n ls_hso_rdy, ls_hso_vld = zip(*ls_hso)\n ls_hso_rdy, ls_hso_vld = list(ls_hso_rdy), list(ls_hso_vld)\n\n @always_comb\n def x():\n hsi_rdy.next = 0\n for i in range(N):\n ls_hso_vld[i].next = 0\n if i == sel:\n hsi_rdy.next = ls_hso_rdy[i]\n ls_hso_vld[i].next = hsi_vld\n return _hsdemux\n",
"role": "user"
},
{
"content": "hs_demux",
"role": "assistant"
}
] |
def x(rst, clk, ls_hsi, hso, sel, ARBITER_TYPE='priority'):
N = len(ls_hsi)
ls_hsi_rdy, ls_hsi_vld = zip(*ls_hsi)
ls_hsi_vld = list(ls_hsi_vld)
ls_vld = [Signal(bool(0)) for _ in range(N)]
_a = [assign(ls_vld[i], ls_hsi_vld[i]) for i in range(N)]
sel_s = Signal(intbv(0, min=0, max=N))
@always_comb
def x():
sel.next = sel_s
priority_update = None
if ARBITER_TYPE == 'roundrobin':
hso_rdy, hso_vld = hso
priority_update = Signal(bool(0))
@always_comb
def x():
priority_update.next = hso_rdy and hso_vld
_arb = arbiter(rst=rst, clk=clk, req_vec=ls_vld, gnt_idx=sel_s, gnt_rdy
=priority_update, ARBITER_TYPE=ARBITER_TYPE)
_mux = hs_mux(sel=sel_s, ls_hsi=ls_hsi, hso=hso)
return instances()
| hs_arbmux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rst, clk, ls_hsi, hso, sel, ARBITER_TYPE='priority'):\n N = len(ls_hsi)\n ls_hsi_rdy, ls_hsi_vld = zip(*ls_hsi)\n ls_hsi_vld = list(ls_hsi_vld)\n ls_vld = [Signal(bool(0)) for _ in range(N)]\n _a = [assign(ls_vld[i], ls_hsi_vld[i]) for i in range(N)]\n sel_s = Signal(intbv(0, min=0, max=N))\n\n @always_comb\n def x():\n sel.next = sel_s\n priority_update = None\n if ARBITER_TYPE == 'roundrobin':\n hso_rdy, hso_vld = hso\n priority_update = Signal(bool(0))\n\n @always_comb\n def x():\n priority_update.next = hso_rdy and hso_vld\n _arb = arbiter(rst=rst, clk=clk, req_vec=ls_vld, gnt_idx=sel_s, gnt_rdy\n =priority_update, ARBITER_TYPE=ARBITER_TYPE)\n _mux = hs_mux(sel=sel_s, ls_hsi=ls_hsi, hso=hso)\n return instances()\n",
"role": "user"
},
{
"content": "hs_arbmux",
"role": "assistant"
}
] |
def x(rst, clk, hsi, ls_hso, sel, ARBITER_TYPE='priority'):
N = len(ls_hso)
ls_hso_rdy, ls_hso_vld = zip(*ls_hso)
ls_hso_rdy = list(ls_hso_rdy)
ls_rdy = [Signal(bool(0)) for _ in range(N)]
_a = [assign(ls_rdy[i], ls_hso_rdy[i]) for i in range(N)]
sel_s = Signal(intbv(0, min=0, max=len(ls_rdy)))
@always_comb
def x():
sel.next = sel_s
priority_update = None
if ARBITER_TYPE == 'roundrobin':
shi_rdy, hsi_vld = hsi
priority_update = Signal(bool(0))
@always_comb
def x():
priority_update.next = shi_rdy and hsi_vld
_arb = arbiter(rst=rst, clk=clk, req_vec=ls_rdy, gnt_idx=sel_s, gnt_rdy
=priority_update, ARBITER_TYPE=ARBITER_TYPE)
_demux = hs_demux(sel_s, hsi, ls_hso)
return instances()
| hs_arbdemux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rst, clk, hsi, ls_hso, sel, ARBITER_TYPE='priority'):\n N = len(ls_hso)\n ls_hso_rdy, ls_hso_vld = zip(*ls_hso)\n ls_hso_rdy = list(ls_hso_rdy)\n ls_rdy = [Signal(bool(0)) for _ in range(N)]\n _a = [assign(ls_rdy[i], ls_hso_rdy[i]) for i in range(N)]\n sel_s = Signal(intbv(0, min=0, max=len(ls_rdy)))\n\n @always_comb\n def x():\n sel.next = sel_s\n priority_update = None\n if ARBITER_TYPE == 'roundrobin':\n shi_rdy, hsi_vld = hsi\n priority_update = Signal(bool(0))\n\n @always_comb\n def x():\n priority_update.next = shi_rdy and hsi_vld\n _arb = arbiter(rst=rst, clk=clk, req_vec=ls_rdy, gnt_idx=sel_s, gnt_rdy\n =priority_update, ARBITER_TYPE=ARBITER_TYPE)\n _demux = hs_demux(sel_s, hsi, ls_hso)\n return instances()\n",
"role": "user"
},
{
"content": "hs_arbdemux",
"role": "assistant"
}
] |
def x(path):
with open(path, 'rb') as fh:
h = str(hashlib.md5(fh.read()).hexdigest())
return h
| get_file_md5sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n with open(path, 'rb') as fh:\n h = str(hashlib.md5(fh.read()).hexdigest())\n return h\n",
"role": "user"
},
{
"content": "get_file_md5sum",
"role": "assistant"
}
] |
def x(path=None, mode='rb', encoding=None, try_gzip=False):
assert mode in ('r', 'rb')
assert path is None or isinstance(path, (str, _oldstr))
assert isinstance(mode, (str, _oldstr))
assert encoding is None or isinstance(encoding, (str, _oldstr))
assert isinstance(try_gzip, bool)
fh = None
binfh = None
gzfh = None
if path is None:
fh = io.open(sys.stdin.fileno(), mode=mode, encoding=encoding)
else:
if try_gzip:
gzfh = try_open_gzip(path)
if gzfh is not None:
logger.debug('Opening gziped file.')
binfh = io.BufferedReader(gzfh)
if 'b' not in mode:
logger.debug('Adding text wrapper.')
fh = io.TextIOWrapper(binfh, encoding=encoding)
else:
fh = io.open(path, mode=mode, encoding=encoding)
yield_fh = fh
if fh is None:
yield_fh = binfh
try:
yield yield_fh
finally:
if fh is not None:
if fh.fileno() != sys.stdin.fileno():
fh.close()
if binfh is not None:
binfh.close()
if gzfh is not None:
gzfh.close()
| smart_open_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None, mode='rb', encoding=None, try_gzip=False):\n assert mode in ('r', 'rb')\n assert path is None or isinstance(path, (str, _oldstr))\n assert isinstance(mode, (str, _oldstr))\n assert encoding is None or isinstance(encoding, (str, _oldstr))\n assert isinstance(try_gzip, bool)\n fh = None\n binfh = None\n gzfh = None\n if path is None:\n fh = io.open(sys.stdin.fileno(), mode=mode, encoding=encoding)\n else:\n if try_gzip:\n gzfh = try_open_gzip(path)\n if gzfh is not None:\n logger.debug('Opening gziped file.')\n binfh = io.BufferedReader(gzfh)\n if 'b' not in mode:\n logger.debug('Adding text wrapper.')\n fh = io.TextIOWrapper(binfh, encoding=encoding)\n else:\n fh = io.open(path, mode=mode, encoding=encoding)\n yield_fh = fh\n if fh is None:\n yield_fh = binfh\n try:\n yield yield_fh\n finally:\n if fh is not None:\n if fh.fileno() != sys.stdin.fileno():\n fh.close()\n if binfh is not None:\n binfh.close()\n if gzfh is not None:\n gzfh.close()\n",
"role": "user"
},
{
"content": "smart_open_read",
"role": "assistant"
}
] |
def x(path=None, mode='wb', encoding=None):
if path is not None:
fh = io.open(path, mode=mode, encoding=encoding)
else:
fh = io.open(sys.stdout.fileno(), mode=mode, encoding=encoding)
try:
yield fh
finally:
if fh.fileno() != sys.stdout.fileno():
fh.close()
| smart_open_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=None, mode='wb', encoding=None):\n if path is not None:\n fh = io.open(path, mode=mode, encoding=encoding)\n else:\n fh = io.open(sys.stdout.fileno(), mode=mode, encoding=encoding)\n try:\n yield fh\n finally:\n if fh.fileno() != sys.stdout.fileno():\n fh.close()\n",
"role": "user"
},
{
"content": "smart_open_write",
"role": "assistant"
}
] |
def x(url):
r = requests.head(url, headers={'Accept-Encoding': 'identity'})
size = int(r.headers['content-length'])
return size
| get_url_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n r = requests.head(url, headers={'Accept-Encoding': 'identity'})\n size = int(r.headers['content-length'])\n return size\n",
"role": "user"
},
{
"content": "get_url_size",
"role": "assistant"
}
] |
def x(url):
assert isinstance(url, (str, _oldstr))
return urlparse.urlparse(url).path.split('/')[-1]
| get_url_file_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n assert isinstance(url, (str, _oldstr))\n return urlparse.urlparse(url).path.split('/')[-1]\n",
"role": "user"
},
{
"content": "get_url_file_name",
"role": "assistant"
}
] |
def x(dir_, create_subfolders=False):
assert isinstance(dir_, (str, _oldstr))
assert isinstance(create_subfolders, bool)
try:
if create_subfolders:
os.makedirs(dir_)
else:
os.mkdir(dir_)
except OSError as exception:
if exception.errno != errno.EEXIST:
raise
| make_sure_dir_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dir_, create_subfolders=False):\n assert isinstance(dir_, (str, _oldstr))\n assert isinstance(create_subfolders, bool)\n try:\n if create_subfolders:\n os.makedirs(dir_)\n else:\n os.mkdir(dir_)\n except OSError as exception:\n if exception.errno != errno.EEXIST:\n raise\n",
"role": "user"
},
{
"content": "make_sure_dir_exists",
"role": "assistant"
}
] |
def x(path):
assert isinstance(path, (str, _oldstr))
if not os.path.isfile(path):
raise IOError('File "%s" does not exist.', path)
return os.path.getsize(path)
| get_file_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n assert isinstance(path, (str, _oldstr))\n if not os.path.isfile(path):\n raise IOError('File \"%s\" does not exist.', path)\n return os.path.getsize(path)\n",
"role": "user"
},
{
"content": "get_file_size",
"role": "assistant"
}
] |
def x(path):
if not (sys.platform.startswith('linux') or sys.platform in ['darwin',
'cygwin']):
raise OSError('This function is not available on your platform.')
assert isinstance(path, (str, _oldstr))
if not os.path.isfile(path):
raise IOError('File "%s" does not exist.' % path)
sub = subproc.Popen('sum "%s"' % path, bufsize=-1, shell=True, stdout=
subproc.PIPE)
stdoutdata = sub.communicate()[0]
assert sub.returncode == 0
encoding = locale.getpreferredencoding()
stdoutstr = str(stdoutdata, encoding=encoding)
file_checksum = int(stdoutstr.split(' ')[0])
logger.debug('Checksum of file "%s": %d', path, file_checksum)
return file_checksum
| get_file_checksum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if not (sys.platform.startswith('linux') or sys.platform in ['darwin',\n 'cygwin']):\n raise OSError('This function is not available on your platform.')\n assert isinstance(path, (str, _oldstr))\n if not os.path.isfile(path):\n raise IOError('File \"%s\" does not exist.' % path)\n sub = subproc.Popen('sum \"%s\"' % path, bufsize=-1, shell=True, stdout=\n subproc.PIPE)\n stdoutdata = sub.communicate()[0]\n assert sub.returncode == 0\n encoding = locale.getpreferredencoding()\n stdoutstr = str(stdoutdata, encoding=encoding)\n file_checksum = int(stdoutstr.split(' ')[0])\n logger.debug('Checksum of file \"%s\": %d', path, file_checksum)\n return file_checksum\n",
"role": "user"
},
{
"content": "get_file_checksum",
"role": "assistant"
}
] |
def x(path, encoding=None):
if encoding is None:
encoding = sys.getdefaultencoding()
assert os.path.isfile(path)
is_compressed = False
try:
gzip.open(path, mode='rb').read(1)
except IOError:
pass
else:
is_compressed = True
if is_compressed:
if six.PY2:
import codecs
zf = gzip.open(path, 'rb')
reader = codecs.getreader(encoding)
fh = reader(zf)
else:
fh = gzip.open(path, mode='rt', encoding=encoding)
else:
fh = open(path, mode='r', encoding=encoding)
return fh
| gzip_open_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, encoding=None):\n if encoding is None:\n encoding = sys.getdefaultencoding()\n assert os.path.isfile(path)\n is_compressed = False\n try:\n gzip.open(path, mode='rb').read(1)\n except IOError:\n pass\n else:\n is_compressed = True\n if is_compressed:\n if six.PY2:\n import codecs\n zf = gzip.open(path, 'rb')\n reader = codecs.getreader(encoding)\n fh = reader(zf)\n else:\n fh = gzip.open(path, mode='rt', encoding=encoding)\n else:\n fh = open(path, mode='r', encoding=encoding)\n return fh\n",
"role": "user"
},
{
"content": "gzip_open_text",
"role": "assistant"
}
] |
def x(a, x):
i = bisect.bisect_left(a, x)
if i != len(a) and a[i] == x:
return i
raise ValueError
| bisect_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, x):\n i = bisect.bisect_left(a, x)\n if i != len(a) and a[i] == x:\n return i\n raise ValueError\n",
"role": "user"
},
{
"content": "bisect_index",
"role": "assistant"
}
] |
def x(path, encoding='UTF-8'):
assert isinstance(path, (str, _oldstr))
data = []
with smart_open_read(path, mode='rb', try_gzip=True) as fh:
reader = csv.reader(fh, dialect='excel-tab', encoding=encoding)
for l in reader:
data.append(l[0])
return data
| read_single | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, encoding='UTF-8'):\n assert isinstance(path, (str, _oldstr))\n data = []\n with smart_open_read(path, mode='rb', try_gzip=True) as fh:\n reader = csv.reader(fh, dialect='excel-tab', encoding=encoding)\n for l in reader:\n data.append(l[0])\n return data\n",
"role": "user"
},
{
"content": "read_single",
"role": "assistant"
}
] |
def x(project, access_token, name, tag, port):
headers = {'Authorization': 'Bearer %s' % access_token.access_token}
payload = {'name': name, 'kind': 'compute#firewall', 'sourceRanges': [
'0.0.0.0/0'], 'targetTags': [tag], 'allowed': [{'IPProtocol': 'tcp',
'ports': [str(port)]}], 'network':
'projects/%s/global/networks/default' % project}
r = requests.post(
'https://www.googleapis.com/compute/v1/projects/%s/global/firewalls' %
project, headers=headers, json=payload)
r.raise_for_status()
op = r.json()['name']
LOGGER.info(
'Requested to add firewall rule for tag "%s" (operation "%s")...',
tag, op)
return op
| add_tcp_firewall_rule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project, access_token, name, tag, port):\n headers = {'Authorization': 'Bearer %s' % access_token.access_token}\n payload = {'name': name, 'kind': 'compute#firewall', 'sourceRanges': [\n '0.0.0.0/0'], 'targetTags': [tag], 'allowed': [{'IPProtocol': 'tcp',\n 'ports': [str(port)]}], 'network': \n 'projects/%s/global/networks/default' % project}\n r = requests.post(\n 'https://www.googleapis.com/compute/v1/projects/%s/global/firewalls' %\n project, headers=headers, json=payload)\n r.raise_for_status()\n op = r.json()['name']\n LOGGER.info(\n 'Requested to add firewall rule for tag \"%s\" (operation \"%s\")...',\n tag, op)\n return op\n",
"role": "user"
},
{
"content": "add_tcp_firewall_rule",
"role": "assistant"
}
] |
def x(taxids, conn, force_download, silent):
if not silent:
click.secho(
'WARNING: Update is very time consuming and can take several hours depending which organisms you are importing!'
, fg='yellow')
if not taxids:
click.echo(
'Please note that you can restrict import to organisms by NCBI taxonomy IDs'
)
click.echo('Example (human, mouse, rat):\n')
click.secho('\tpyuniprot update --taxids 9606,10090,10116\n\n',
fg='green')
if taxids:
taxids = [int(taxid.strip()) for taxid in taxids.strip().split(',') if
re.search('^ *\\d+ *$', taxid)]
database.update(taxids=taxids, connection=conn, force_download=
force_download, silent=silent)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(taxids, conn, force_download, silent):\n if not silent:\n click.secho(\n 'WARNING: Update is very time consuming and can take several hours depending which organisms you are importing!'\n , fg='yellow')\n if not taxids:\n click.echo(\n 'Please note that you can restrict import to organisms by NCBI taxonomy IDs'\n )\n click.echo('Example (human, mouse, rat):\\n')\n click.secho('\\tpyuniprot update --taxids 9606,10090,10116\\n\\n',\n fg='green')\n if taxids:\n taxids = [int(taxid.strip()) for taxid in taxids.strip().split(',') if\n re.search('^ *\\\\d+ *$', taxid)]\n database.update(taxids=taxids, connection=conn, force_download=\n force_download, silent=silent)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(host, port):
from .webserver.web import get_app
get_app().run(host=host, port=port)
| web | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, port):\n from .webserver.web import get_app\n get_app().run(host=host, port=port)\n",
"role": "user"
},
{
"content": "web",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.