source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(hsp, queryLen, diamondTask):
queryGaps, subjectGaps = countGaps(hsp['btop'])
queryStart = hsp['query_start'] - 1
queryEnd = hsp['query_end']
subjectStart = hsp['sbjct_start'] - 1
subjectEnd = hsp['sbjct_end']
queryReversed = hsp['frame'] < 0
if queryStart >= queryEnd:
if diamondTask == 'blastx' and queryReversed:
queryStart = queryLen - (queryStart + 1)
queryEnd = queryLen - (queryEnd - 1)
else:
_debugPrint(hsp, queryLen, locals(), 'queryStart >= queryEnd')
if diamondTask == 'blastx':
initiallyIgnored = abs(hsp['frame']) - 1
queryLen = (queryLen - initiallyIgnored) // 3
queryStart = (queryStart - initiallyIgnored) // 3
queryEnd = (queryEnd - initiallyIgnored) // 3
unmatchedQueryLeft = queryStart
queryStartInSubject = subjectStart - unmatchedQueryLeft
queryEndInSubject = queryStartInSubject + queryLen + queryGaps
_sanityCheck(subjectStart, subjectEnd, queryStart, queryEnd,
queryStartInSubject, queryEndInSubject, hsp, queryLen, subjectGaps,
queryGaps, locals())
return {'readStart': queryStart, 'readEnd': queryEnd,
'readStartInSubject': queryStartInSubject, 'readEndInSubject':
queryEndInSubject, 'subjectStart': subjectStart, 'subjectEnd':
subjectEnd}
| normalizeHSP | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hsp, queryLen, diamondTask):\n queryGaps, subjectGaps = countGaps(hsp['btop'])\n queryStart = hsp['query_start'] - 1\n queryEnd = hsp['query_end']\n subjectStart = hsp['sbjct_start'] - 1\n subjectEnd = hsp['sbjct_end']\n queryReversed = hsp['frame'] < 0\n if queryStart >= queryEnd:\n if diamondTask == 'blastx' and queryReversed:\n queryStart = queryLen - (queryStart + 1)\n queryEnd = queryLen - (queryEnd - 1)\n else:\n _debugPrint(hsp, queryLen, locals(), 'queryStart >= queryEnd')\n if diamondTask == 'blastx':\n initiallyIgnored = abs(hsp['frame']) - 1\n queryLen = (queryLen - initiallyIgnored) // 3\n queryStart = (queryStart - initiallyIgnored) // 3\n queryEnd = (queryEnd - initiallyIgnored) // 3\n unmatchedQueryLeft = queryStart\n queryStartInSubject = subjectStart - unmatchedQueryLeft\n queryEndInSubject = queryStartInSubject + queryLen + queryGaps\n _sanityCheck(subjectStart, subjectEnd, queryStart, queryEnd,\n queryStartInSubject, queryEndInSubject, hsp, queryLen, subjectGaps,\n queryGaps, locals())\n return {'readStart': queryStart, 'readEnd': queryEnd,\n 'readStartInSubject': queryStartInSubject, 'readEndInSubject':\n queryEndInSubject, 'subjectStart': subjectStart, 'subjectEnd':\n subjectEnd}\n",
"role": "user"
},
{
"content": "normalizeHSP",
"role": "assistant"
}
] |
def x(key, read_only=False):
if read_only:
scopes = ['https://www.googleapis.com/auth/devstorage.read_only']
else:
scopes = ['https://www.googleapis.com/auth/devstorage.read_write']
credentials = service_account.Credentials.from_service_account_info(key)
scoped_credentials = credentials.with_scopes(scopes)
return scoped_credentials
| get_storage_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, read_only=False):\n if read_only:\n scopes = ['https://www.googleapis.com/auth/devstorage.read_only']\n else:\n scopes = ['https://www.googleapis.com/auth/devstorage.read_write']\n credentials = service_account.Credentials.from_service_account_info(key)\n scoped_credentials = credentials.with_scopes(scopes)\n return scoped_credentials\n",
"role": "user"
},
{
"content": "get_storage_credentials",
"role": "assistant"
}
] |
def x(key):
scopes = ['https://www.googleapis.com/auth/compute']
credentials = ServiceAccountCredentials.from_json_keyfile_dict(key,
scopes=scopes)
return credentials
| get_compute_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key):\n scopes = ['https://www.googleapis.com/auth/compute']\n credentials = ServiceAccountCredentials.from_json_keyfile_dict(key,\n scopes=scopes)\n return credentials\n",
"role": "user"
},
{
"content": "get_compute_credentials",
"role": "assistant"
}
] |
def x(self):
h = hash_pandas_object(self, index=True)
return hashlib.md5(h.values.tobytes()).hexdigest()
| hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n h = hash_pandas_object(self, index=True)\n return hashlib.md5(h.values.tobytes()).hexdigest()\n",
"role": "user"
},
{
"content": "hash",
"role": "assistant"
}
] |
def x(self):
return [ExpGene.from_series(g) for i, g in self.reset_index().iterrows()]
| genes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [ExpGene.from_series(g) for i, g in self.reset_index().iterrows()]\n",
"role": "user"
},
{
"content": "genes",
"role": "assistant"
}
] |
def x(cls, file_or_buffer: str):
df = pd.read_csv(file_or_buffer, sep='\t', index_col=0)
df = df.where(pd.notnull(df), None)
return cls(df)
| 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_or_buffer: str):\n df = pd.read_csv(file_or_buffer, sep='\\t', index_col=0)\n df = df.where(pd.notnull(df), None)\n return cls(df)\n",
"role": "user"
},
{
"content": "read_tsv",
"role": "assistant"
}
] |
def x(cls, genes: List[ExpGene]):
data = [g.to_dict() for g in genes]
index = [d.pop('ensembl_id') for d in data]
table = cls(data, index=index)
return table
| from_genes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, genes: List[ExpGene]):\n data = [g.to_dict() for g in genes]\n index = [d.pop('ensembl_id') for d in data]\n table = cls(data, index=index)\n return table\n",
"role": "user"
},
{
"content": "from_genes",
"role": "assistant"
}
] |
def x(cls, gene_ids: List[str]):
genes = [ExpGene(id_) for id_ in gene_ids]
return cls.from_genes(genes)
| from_gene_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, gene_ids: List[str]):\n genes = [ExpGene(id_) for id_ in gene_ids]\n return cls.from_genes(genes)\n",
"role": "user"
},
{
"content": "from_gene_ids",
"role": "assistant"
}
] |
def x(cls, gene_names: Dict[str, str]):
genes = [ExpGene(id_, name=name) for id_, name in gene_names.items()]
return cls.from_genes(genes)
| from_gene_ids_and_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, gene_names: Dict[str, str]):\n genes = [ExpGene(id_, name=name) for id_, name in gene_names.items()]\n return cls.from_genes(genes)\n",
"role": "user"
},
{
"content": "from_gene_ids_and_names",
"role": "assistant"
}
] |
def x(self, name: str):
result = [ExpGene.from_series(s) for i, s in self.loc[self['name'] ==
name].iterrows()]
return result
| find_gene | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name: str):\n result = [ExpGene.from_series(s) for i, s in self.loc[self['name'] ==\n name].iterrows()]\n return result\n",
"role": "user"
},
{
"content": "find_gene",
"role": "assistant"
}
] |
def x(src, trg, transform=None):
source = open(src[0], src[1])
target = open(trg[0], trg[1], autocommit=1000)
for item in source.get():
item = dict(item)
if '_id' in item:
del item['_id']
if transform:
item = transform(item)
target.put(trg[0](item))
source.close()
target.commit()
target.close()
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, trg, transform=None):\n source = open(src[0], src[1])\n target = open(trg[0], trg[1], autocommit=1000)\n for item in source.get():\n item = dict(item)\n if '_id' in item:\n del item['_id']\n if transform:\n item = transform(item)\n target.put(trg[0](item))\n source.close()\n target.commit()\n target.close()\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(expr, item):
reg = re.compile(expr)
return reg.search(item) is not None
| regexp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expr, item):\n reg = re.compile(expr)\n return reg.search(item) is not None\n",
"role": "user"
},
{
"content": "regexp",
"role": "assistant"
}
] |
def x(cursor, row):
d = {}
for idx, col in enumerate(cursor.description):
if col[0] == 'rowid':
d['_id'] = row[idx]
else:
d[col[0]] = row[idx]
return d
| dict_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cursor, row):\n d = {}\n for idx, col in enumerate(cursor.description):\n if col[0] == 'rowid':\n d['_id'] = row[idx]\n else:\n d[col[0]] = row[idx]\n return d\n",
"role": "user"
},
{
"content": "dict_factory",
"role": "assistant"
}
] |
def x(uri):
if not uri or uri.find('://') <= 0:
raise RuntimeError('Incorrect URI definition: {}'.format(uri))
backend, rest_uri = uri.split('://')
if backend not in SUPPORTED_BACKENDS:
raise RuntimeError('Unknown backend: {}'.format(backend))
database, table = rest_uri.rsplit(':', 1)
return database, table
| parse_uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uri):\n if not uri or uri.find('://') <= 0:\n raise RuntimeError('Incorrect URI definition: {}'.format(uri))\n backend, rest_uri = uri.split('://')\n if backend not in SUPPORTED_BACKENDS:\n raise RuntimeError('Unknown backend: {}'.format(backend))\n database, table = rest_uri.rsplit(':', 1)\n return database, table\n",
"role": "user"
},
{
"content": "parse_uri",
"role": "assistant"
}
] |
def x(self):
if not self._fields:
if self._item_class is not None:
for m in inspect.getmembers(self._item_class):
if m[0] == 'fields' and isinstance(m[1], dict):
self._fields = m[1]
if not self._fields:
raise RuntimeError('Unknown item type, no fields: %s' %
self._item_class)
else:
raise RuntimeError('Item class is not defined, %s' % self.
_item_class)
return self._fields.keys()
| fieldnames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._fields:\n if self._item_class is not None:\n for m in inspect.getmembers(self._item_class):\n if m[0] == 'fields' and isinstance(m[1], dict):\n self._fields = m[1]\n if not self._fields:\n raise RuntimeError('Unknown item type, no fields: %s' %\n self._item_class)\n else:\n raise RuntimeError('Item class is not defined, %s' % self.\n _item_class)\n return self._fields.keys()\n",
"role": "user"
},
{
"content": "fieldnames",
"role": "assistant"
}
] |
def x(self, item):
for field in self._item_class.fields:
if field in item and 'dblite_serializer' in self._item_class.fields[
field]:
serializer = self._item_class.fields[field]['dblite_serializer']
item[field] = serializer.loads(item[field])
return self._item_class(item)
| make_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n for field in self._item_class.fields:\n if field in item and 'dblite_serializer' in self._item_class.fields[\n field]:\n serializer = self._item_class.fields[field]['dblite_serializer']\n item[field] = serializer.loads(item[field])\n return self._item_class(item)\n",
"role": "user"
},
{
"content": "make_item",
"role": "assistant"
}
] |
def x(self, criteria=None, offset=None, limit=None):
if criteria is None and limit is None:
return self._get_all()
elif limit is not None and limit == 1:
return self.get_one(criteria)
else:
return self._get_with_criteria(criteria, offset=offset, limit=limit)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, criteria=None, offset=None, limit=None):\n if criteria is None and limit is None:\n return self._get_all()\n elif limit is not None and limit == 1:\n return self.get_one(criteria)\n else:\n return self._get_with_criteria(criteria, offset=offset, limit=limit)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
rowid = 0
while True:
SQL_SELECT_MANY = (
'SELECT rowid, * FROM %s WHERE rowid > ? LIMIT ?;' % self._table)
self._cursor.execute(SQL_SELECT_MANY, (rowid, ITEMS_PER_REQUEST))
items = self._cursor.fetchall()
if len(items) == 0:
break
for item in items:
rowid = item['_id']
yield self._make_item(item)
| get_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rowid = 0\n while True:\n SQL_SELECT_MANY = (\n 'SELECT rowid, * FROM %s WHERE rowid > ? LIMIT ?;' % self._table)\n self._cursor.execute(SQL_SELECT_MANY, (rowid, ITEMS_PER_REQUEST))\n items = self._cursor.fetchall()\n if len(items) == 0:\n break\n for item in items:\n rowid = item['_id']\n yield self._make_item(item)\n",
"role": "user"
},
{
"content": "get_all",
"role": "assistant"
}
] |
def x(self, criteria, offset=None, limit=None):
SQL = SQLBuilder(self._table, criteria).select(offset=offset, limit=limit)
self._cursor.execute(SQL)
for item in self._cursor.fetchall():
yield self._make_item(item)
| get_with_criteria | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, criteria, offset=None, limit=None):\n SQL = SQLBuilder(self._table, criteria).select(offset=offset, limit=limit)\n self._cursor.execute(SQL)\n for item in self._cursor.fetchall():\n yield self._make_item(item)\n",
"role": "user"
},
{
"content": "get_with_criteria",
"role": "assistant"
}
] |
def x(self, criteria):
try:
items = [item for item in self._get_with_criteria(criteria, limit=1)]
return items[0]
except:
return None
| get_one | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, criteria):\n try:\n items = [item for item in self._get_with_criteria(criteria, limit=1)]\n return items[0]\n except:\n return None\n",
"role": "user"
},
{
"content": "get_one",
"role": "assistant"
}
] |
def x(self):
self._commit_counter += 1
if isinstance(self._autocommit, bool) and self._autocommit:
self.commit()
self._commit_counter = 0
elif isinstance(self._autocommit, int) and self._autocommit > 0:
if self._commit_counter % self._autocommit == 0:
self.commit()
self._commit_counter = 0
| do_autocommit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._commit_counter += 1\n if isinstance(self._autocommit, bool) and self._autocommit:\n self.commit()\n self._commit_counter = 0\n elif isinstance(self._autocommit, int) and self._autocommit > 0:\n if self._commit_counter % self._autocommit == 0:\n self.commit()\n self._commit_counter = 0\n",
"role": "user"
},
{
"content": "do_autocommit",
"role": "assistant"
}
] |
def x(self, item):
if isinstance(item, self._item_class):
self._put_one(item)
elif isinstance(item, (list, tuple)):
self._put_many(item)
else:
raise RuntimeError('Unknown item(s) type, %s' % type(item))
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if isinstance(item, self._item_class):\n self._put_one(item)\n elif isinstance(item, (list, tuple)):\n self._put_many(item)\n else:\n raise RuntimeError('Unknown item(s) type, %s' % type(item))\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, items):
for item in items:
if not isinstance(item, self._item_class):
raise RuntimeError('Items mismatch for %s and %s' % (self.
_item_class, type(item)))
self._put_one(item)
| put_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items):\n for item in items:\n if not isinstance(item, self._item_class):\n raise RuntimeError('Items mismatch for %s and %s' % (self.\n _item_class, type(item)))\n self._put_one(item)\n",
"role": "user"
},
{
"content": "put_many",
"role": "assistant"
}
] |
def x(self, criteria=None, _all=False):
if isinstance(criteria, self._item_class):
criteria = {'_id': criteria['_id']}
if criteria is None and not _all:
raise RuntimeError('Criteria is not defined')
SQL = SQLBuilder(self._table, criteria).delete()
self._cursor.execute(SQL)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, criteria=None, _all=False):\n if isinstance(criteria, self._item_class):\n criteria = {'_id': criteria['_id']}\n if criteria is None and not _all:\n raise RuntimeError('Criteria is not defined')\n SQL = SQLBuilder(self._table, criteria).delete()\n self._cursor.execute(SQL)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(tasks, max_workers=None, use_processes=False):
futures = set()
if use_processes:
get_executor = concurrent.futures.ProcessPoolExecutor
else:
get_executor = concurrent.futures.ThreadPoolExecutor
with get_executor(max_workers) as executor:
def x(function, name):
future = executor.submit(function)
future.name = name
futures.add(future)
def x():
results = []
waited = concurrent.futures.wait(futures, return_when=
concurrent.futures.FIRST_COMPLETED)
for future in waited.done:
exc = future.exception()
if exc is None:
results.append(TaskResult(future.name, True, None,
future.result()))
else:
results.append(TaskResult(future.name, False, exc, None))
futures.remove(future)
return results
return task_loop(tasks, execute, wait)
| run_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tasks, max_workers=None, use_processes=False):\n futures = set()\n if use_processes:\n get_executor = concurrent.futures.ProcessPoolExecutor\n else:\n get_executor = concurrent.futures.ThreadPoolExecutor\n with get_executor(max_workers) as executor:\n\n def x(function, name):\n future = executor.submit(function)\n future.name = name\n futures.add(future)\n\n def x():\n results = []\n waited = concurrent.futures.wait(futures, return_when=\n concurrent.futures.FIRST_COMPLETED)\n for future in waited.done:\n exc = future.exception()\n if exc is None:\n results.append(TaskResult(future.name, True, None,\n future.result()))\n else:\n results.append(TaskResult(future.name, False, exc, None))\n futures.remove(future)\n return results\n return task_loop(tasks, execute, wait)\n",
"role": "user"
},
{
"content": "run_tasks",
"role": "assistant"
}
] |
def x(access_token, project, zone, name, interval=1.0):
assert isinstance(interval, (int, float))
assert interval >= 0.1
status = 'RUNNING'
progress = 0
LOGGER.info('Waiting for zone operation "%s" to finish...', name)
while status != 'DONE':
r = requests.get(
'https://www.googleapis.com/compute/v1/projects/%s/zones/%s/operations/%s?access_token=%s'
% (project, zone, name, access_token.access_token))
r.raise_for_status()
result = r.json()
status = result['status']
progress = result['progress']
time.sleep(interval)
LOGGER.info('Zone operation "%s" done!', name)
| wait_for_zone_op | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(access_token, project, zone, name, interval=1.0):\n assert isinstance(interval, (int, float))\n assert interval >= 0.1\n status = 'RUNNING'\n progress = 0\n LOGGER.info('Waiting for zone operation \"%s\" to finish...', name)\n while status != 'DONE':\n r = requests.get(\n 'https://www.googleapis.com/compute/v1/projects/%s/zones/%s/operations/%s?access_token=%s'\n % (project, zone, name, access_token.access_token))\n r.raise_for_status()\n result = r.json()\n status = result['status']\n progress = result['progress']\n time.sleep(interval)\n LOGGER.info('Zone operation \"%s\" done!', name)\n",
"role": "user"
},
{
"content": "wait_for_zone_op",
"role": "assistant"
}
] |
def x(self):
d = {'score': 0, 'pointer': None, 'ins': 0, 'del': 0}
cols = len(self.seq1Seq) + 1
rows = len(self.seq2Seq) + 1
table = [[d for _ in range(cols)] for _ in range(rows)]
return table
| initialise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n d = {'score': 0, 'pointer': None, 'ins': 0, 'del': 0}\n cols = len(self.seq1Seq) + 1\n rows = len(self.seq2Seq) + 1\n table = [[d for _ in range(cols)] for _ in range(rows)]\n return table\n",
"role": "user"
},
{
"content": "initialise",
"role": "assistant"
}
] |
def x(self, table):
max_score = 0
max_row = 0
max_col = 0
for row in range(1, len(self.seq2Seq) + 1):
for col in range(1, len(self.seq1Seq) + 1):
letter1 = self.seq1Seq[col - 1]
letter2 = self.seq2Seq[row - 1]
if letter1 == letter2:
diagonal_score = table[row - 1][col - 1]['score'] + self.match
else:
diagonal_score = table[row - 1][col - 1]['score'
] + self.mismatch
ins_run = table[row - 1][col]['ins']
del_run = table[row][col - 1]['del']
if table[row - 1][col]['ins'] <= 0:
ins_score = table[row - 1][col]['score'] + self.gapOpen
elif self.gapExtend + ins_run * self.gapExtendDecay <= 0.0:
ins_score = table[row - 1][col]['score'
] + self.gapExtend + ins_run * self.gapExtendDecay
else:
ins_score = table[row - 1][col]['score']
if table[row - 1][col]['del'] <= 0:
del_score = table[row][col - 1]['score'] + self.gapOpen
elif self.gapExtend + del_run * self.gapExtendDecay <= 0.0:
del_score = table[row][col - 1]['score'
] + self.gapExtend + del_run * self.gapExtendDecay
else:
del_score = table[row][col - 1]['score']
if diagonal_score <= 0 and ins_score <= 0 and del_score <= 0:
table[row][col] = {'score': 0, 'pointer': None, 'ins': 0,
'del': 0}
elif diagonal_score >= ins_score:
if diagonal_score >= del_score:
diagonal = {'score': diagonal_score, 'pointer':
'diagonal', 'ins': 0, 'del': 0}
table[row][col] = diagonal
else:
deletion = {'score': del_score, 'pointer': 'del', 'ins':
0, 'del': del_run + 1}
table[row][col] = deletion
elif ins_score >= del_score:
insertion = {'score': ins_score, 'pointer': 'ins', 'ins':
ins_run + 1, 'del': 0}
table[row][col] = insertion
else:
deletion = {'score': del_score, 'pointer': 'del', 'ins': 0,
'del': del_run + 1}
table[row][col] = deletion
if table[row][col]['score'] >= max_score:
max_row = row
max_col = col
max_score = table[row][col]['score']
indexes = {'max_row': max_row, 'max_col': max_col}
align1 = ''
align2 = ''
align = ''
current_row = max_row
current_col = max_col
while True:
arrow = table[current_row][current_col]['pointer']
if arrow is None:
min_row = current_row + 1
min_col = current_col + 1
break
elif arrow == 'diagonal':
align1 += self.seq1Seq[current_col - 1]
align2 += self.seq2Seq[current_row - 1]
if self.seq1Seq[current_col - 1] == self.seq2Seq[current_row - 1]:
align += '|'
else:
align += ' '
current_row -= 1
current_col -= 1
elif arrow == 'del':
align1 += self.seq1Seq[current_col - 1]
align2 += '-'
align += ' '
current_col -= 1
elif arrow == 'ins':
align1 += '-'
align2 += self.seq2Seq[current_row - 1]
align += ' '
current_row -= 1
else:
raise ValueError('Invalid pointer: %s' % arrow)
indexes['min_row'] = min_row
indexes['min_col'] = min_col
align1 = align1[::-1]
align2 = align2[::-1]
align = align[::-1]
if len(align1) != len(align2):
raise ValueError(
'Lengths of locally aligned sequences differ (%d != %d).' % (
len(align1), len(align2)))
return [align1, align, align2], indexes
| fillAndTraceback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n max_score = 0\n max_row = 0\n max_col = 0\n for row in range(1, len(self.seq2Seq) + 1):\n for col in range(1, len(self.seq1Seq) + 1):\n letter1 = self.seq1Seq[col - 1]\n letter2 = self.seq2Seq[row - 1]\n if letter1 == letter2:\n diagonal_score = table[row - 1][col - 1]['score'] + self.match\n else:\n diagonal_score = table[row - 1][col - 1]['score'\n ] + self.mismatch\n ins_run = table[row - 1][col]['ins']\n del_run = table[row][col - 1]['del']\n if table[row - 1][col]['ins'] <= 0:\n ins_score = table[row - 1][col]['score'] + self.gapOpen\n elif self.gapExtend + ins_run * self.gapExtendDecay <= 0.0:\n ins_score = table[row - 1][col]['score'\n ] + self.gapExtend + ins_run * self.gapExtendDecay\n else:\n ins_score = table[row - 1][col]['score']\n if table[row - 1][col]['del'] <= 0:\n del_score = table[row][col - 1]['score'] + self.gapOpen\n elif self.gapExtend + del_run * self.gapExtendDecay <= 0.0:\n del_score = table[row][col - 1]['score'\n ] + self.gapExtend + del_run * self.gapExtendDecay\n else:\n del_score = table[row][col - 1]['score']\n if diagonal_score <= 0 and ins_score <= 0 and del_score <= 0:\n table[row][col] = {'score': 0, 'pointer': None, 'ins': 0,\n 'del': 0}\n elif diagonal_score >= ins_score:\n if diagonal_score >= del_score:\n diagonal = {'score': diagonal_score, 'pointer':\n 'diagonal', 'ins': 0, 'del': 0}\n table[row][col] = diagonal\n else:\n deletion = {'score': del_score, 'pointer': 'del', 'ins':\n 0, 'del': del_run + 1}\n table[row][col] = deletion\n elif ins_score >= del_score:\n insertion = {'score': ins_score, 'pointer': 'ins', 'ins': \n ins_run + 1, 'del': 0}\n table[row][col] = insertion\n else:\n deletion = {'score': del_score, 'pointer': 'del', 'ins': 0,\n 'del': del_run + 1}\n table[row][col] = deletion\n if table[row][col]['score'] >= max_score:\n max_row = row\n max_col = col\n max_score = table[row][col]['score']\n indexes = {'max_row': max_row, 'max_col': max_col}\n align1 = ''\n align2 = ''\n align = ''\n current_row = max_row\n current_col = max_col\n while True:\n arrow = table[current_row][current_col]['pointer']\n if arrow is None:\n min_row = current_row + 1\n min_col = current_col + 1\n break\n elif arrow == 'diagonal':\n align1 += self.seq1Seq[current_col - 1]\n align2 += self.seq2Seq[current_row - 1]\n if self.seq1Seq[current_col - 1] == self.seq2Seq[current_row - 1]:\n align += '|'\n else:\n align += ' '\n current_row -= 1\n current_col -= 1\n elif arrow == 'del':\n align1 += self.seq1Seq[current_col - 1]\n align2 += '-'\n align += ' '\n current_col -= 1\n elif arrow == 'ins':\n align1 += '-'\n align2 += self.seq2Seq[current_row - 1]\n align += ' '\n current_row -= 1\n else:\n raise ValueError('Invalid pointer: %s' % arrow)\n indexes['min_row'] = min_row\n indexes['min_col'] = min_col\n align1 = align1[::-1]\n align2 = align2[::-1]\n align = align[::-1]\n if len(align1) != len(align2):\n raise ValueError(\n 'Lengths of locally aligned sequences differ (%d != %d).' % (\n len(align1), len(align2)))\n return [align1, align, align2], indexes\n",
"role": "user"
},
{
"content": "fillAndTraceback",
"role": "assistant"
}
] |
def x(self, output):
cigar = []
count = 0
align1 = output[0]
align2 = output[2]
for nt1, nt2 in zip(align1, align2):
if nt1 == nt2:
cigar.append('=')
elif nt1 == '-':
cigar.append('I')
elif nt2 == '-':
cigar.append('D')
else:
cigar.append('X')
cigar.append('*')
cigarString = ''
previousCharacter = ''
count = 0
first = True
for character in cigar:
if first:
previousCharacter = character
count += 1
first = False
else:
if character == previousCharacter:
count += 1
else:
cigarString += str(count) + str(previousCharacter)
count = 1
previousCharacter = character
return cigarString
| cigarString | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output):\n cigar = []\n count = 0\n align1 = output[0]\n align2 = output[2]\n for nt1, nt2 in zip(align1, align2):\n if nt1 == nt2:\n cigar.append('=')\n elif nt1 == '-':\n cigar.append('I')\n elif nt2 == '-':\n cigar.append('D')\n else:\n cigar.append('X')\n cigar.append('*')\n cigarString = ''\n previousCharacter = ''\n count = 0\n first = True\n for character in cigar:\n if first:\n previousCharacter = character\n count += 1\n first = False\n else:\n if character == previousCharacter:\n count += 1\n else:\n cigarString += str(count) + str(previousCharacter)\n count = 1\n previousCharacter = character\n return cigarString\n",
"role": "user"
},
{
"content": "cigarString",
"role": "assistant"
}
] |
def x(self, result):
if result is None:
return '\nNo alignment between %s and %s\n' % (self.seq1ID, self.seq2ID
)
else:
header = (
"""
Cigar string of aligned region: %s
%s Match start: %d Match end: %d
%s Match start: %d Match end: %d
"""
% (result['cigar'], self.seq1ID, result['sequence1Start'],
result['sequence1End'], self.seq2ID, result['sequence2Start'],
result['sequence2End']))
text = '\n'.join(result['text'])
return header + text
| alignmentToStr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result):\n if result is None:\n return '\\nNo alignment between %s and %s\\n' % (self.seq1ID, self.seq2ID\n )\n else:\n header = (\n \"\"\"\nCigar string of aligned region: %s\n%s Match start: %d Match end: %d\n%s Match start: %d Match end: %d\n\"\"\"\n % (result['cigar'], self.seq1ID, result['sequence1Start'],\n result['sequence1End'], self.seq2ID, result['sequence2Start'],\n result['sequence2End']))\n text = '\\n'.join(result['text'])\n return header + text\n",
"role": "user"
},
{
"content": "alignmentToStr",
"role": "assistant"
}
] |
def x(self, resultFormat=dict):
table = self._initialise()
alignment = self._fillAndTraceback(table)
output = alignment[0]
if output[0] == '' or output[2] == '':
result = None
else:
indexes = alignment[1]
result = {'cigar': self._cigarString(output), 'sequence1Start':
indexes['min_col'], 'sequence1End': indexes['max_col'],
'sequence2Start': indexes['min_row'], 'sequence2End': indexes[
'max_row'], 'text': self._formatAlignment(output, indexes)}
return self._alignmentToStr(result) if resultFormat is str else result
| createAlignment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resultFormat=dict):\n table = self._initialise()\n alignment = self._fillAndTraceback(table)\n output = alignment[0]\n if output[0] == '' or output[2] == '':\n result = None\n else:\n indexes = alignment[1]\n result = {'cigar': self._cigarString(output), 'sequence1Start':\n indexes['min_col'], 'sequence1End': indexes['max_col'],\n 'sequence2Start': indexes['min_row'], 'sequence2End': indexes[\n 'max_row'], 'text': self._formatAlignment(output, indexes)}\n return self._alignmentToStr(result) if resultFormat is str else result\n",
"role": "user"
},
{
"content": "createAlignment",
"role": "assistant"
}
] |
def x(self, fields=['rowid', '*'], offset=None, limit=None):
SQL = 'SELECT %s FROM %s' % (','.join(fields), self._table)
if self._selectors:
SQL = ' '.join([SQL, 'WHERE', self._selectors]).strip()
if self._modifiers:
SQL = ' '.join([SQL, self._modifiers])
if limit is not None and isinstance(limit, int):
SQL = ' '.join((SQL, 'LIMIT %s' % limit))
if limit is not None and offset is not None and isinstance(offset, int):
SQL = ' '.join((SQL, 'OFFSET %s' % offset))
return ''.join((SQL, ';'))
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields=['rowid', '*'], offset=None, limit=None):\n SQL = 'SELECT %s FROM %s' % (','.join(fields), self._table)\n if self._selectors:\n SQL = ' '.join([SQL, 'WHERE', self._selectors]).strip()\n if self._modifiers:\n SQL = ' '.join([SQL, self._modifiers])\n if limit is not None and isinstance(limit, int):\n SQL = ' '.join((SQL, 'LIMIT %s' % limit))\n if limit is not None and offset is not None and isinstance(offset, int):\n SQL = ' '.join((SQL, 'OFFSET %s' % offset))\n return ''.join((SQL, ';'))\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self):
SQL = 'DELETE FROM %s' % self._table
if self._selectors:
SQL = ' '.join([SQL, 'WHERE', self._selectors]).strip()
return SQL
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n SQL = 'DELETE FROM %s' % self._table\n if self._selectors:\n SQL = ' '.join([SQL, 'WHERE', self._selectors]).strip()\n return SQL\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, params):
if not isinstance(params, dict):
return None, None
if len(params) == 0:
return None, None
selectors = list()
modifiers = list()
for k in params.keys():
if k in LOGICAL_OPERATORS:
selectors.append(self._logical(k, params[k]))
elif k in QUERY_MODIFIERS:
modifiers.append(self._modifier(k, params[k]))
elif k == '_id':
selectors.append('rowid%s' % self._value_wrapper(params[k]))
else:
selectors.append('%s%s' % (k, self._value_wrapper(params[k])))
_selectors = ' AND '.join(selectors).strip()
_modifiers = ' '.join(modifiers).strip()
return _selectors, _modifiers
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n if not isinstance(params, dict):\n return None, None\n if len(params) == 0:\n return None, None\n selectors = list()\n modifiers = list()\n for k in params.keys():\n if k in LOGICAL_OPERATORS:\n selectors.append(self._logical(k, params[k]))\n elif k in QUERY_MODIFIERS:\n modifiers.append(self._modifier(k, params[k]))\n elif k == '_id':\n selectors.append('rowid%s' % self._value_wrapper(params[k]))\n else:\n selectors.append('%s%s' % (k, self._value_wrapper(params[k])))\n _selectors = ' AND '.join(selectors).strip()\n _modifiers = ' '.join(modifiers).strip()\n return _selectors, _modifiers\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, operator, params):
result = list()
if isinstance(params, dict):
for k, v in params.items():
selectors, modifiers = self._parse(dict([(k, v)]))
result.append('(%s)' % selectors)
elif isinstance(params, (list, tuple)):
for v in params:
selectors, modifiers = self._parse(v)
result.append('(%s)' % selectors)
else:
raise RuntimeError('Unknow parameter type, %s:%s' % (type(params),
params))
if operator == '$and':
return ' AND '.join(result)
elif operator == '$or':
return ' OR '.join(result)
else:
raise RuntimeError('Unknown operator, %s' % operator)
| logical | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operator, params):\n result = list()\n if isinstance(params, dict):\n for k, v in params.items():\n selectors, modifiers = self._parse(dict([(k, v)]))\n result.append('(%s)' % selectors)\n elif isinstance(params, (list, tuple)):\n for v in params:\n selectors, modifiers = self._parse(v)\n result.append('(%s)' % selectors)\n else:\n raise RuntimeError('Unknow parameter type, %s:%s' % (type(params),\n params))\n if operator == '$and':\n return ' AND '.join(result)\n elif operator == '$or':\n return ' OR '.join(result)\n else:\n raise RuntimeError('Unknown operator, %s' % operator)\n",
"role": "user"
},
{
"content": "logical",
"role": "assistant"
}
] |
def x(self, operator, params):
if operator == '$orderby':
order_types = {(-1): 'DESC', (1): 'ASC'}
if not isinstance(params, dict):
raise RuntimeError('Incorrect parameter type, %s' % params)
return 'ORDER BY %s' % ','.join([('%s %s' % (p, order_types[params[
p]])) for p in params])
else:
raise RuntimeError('Unknown operator, %s' % operator)
| modifier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operator, params):\n if operator == '$orderby':\n order_types = {(-1): 'DESC', (1): 'ASC'}\n if not isinstance(params, dict):\n raise RuntimeError('Incorrect parameter type, %s' % params)\n return 'ORDER BY %s' % ','.join([('%s %s' % (p, order_types[params[\n p]])) for p in params])\n else:\n raise RuntimeError('Unknown operator, %s' % operator)\n",
"role": "user"
},
{
"content": "modifier",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, (int, float)):
return '=%s' % value
elif isinstance(value, (str, unicode)):
value = value.strip()
if RE_LIKE.match(value):
return ' LIKE %s' % repr(RE_LIKE.match(value).group('RE_LIKE'))
elif RE_REGEXP.match(value):
return ' REGEXP %s' % repr(RE_REGEXP.search(value).group(
'RE_REGEXP'))
else:
return '=%s' % repr(value)
elif value is None:
return ' ISNULL'
| value_wrapper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if isinstance(value, (int, float)):\n return '=%s' % value\n elif isinstance(value, (str, unicode)):\n value = value.strip()\n if RE_LIKE.match(value):\n return ' LIKE %s' % repr(RE_LIKE.match(value).group('RE_LIKE'))\n elif RE_REGEXP.match(value):\n return ' REGEXP %s' % repr(RE_REGEXP.search(value).group(\n 'RE_REGEXP'))\n else:\n return '=%s' % repr(value)\n elif value is None:\n return ' ISNULL'\n",
"role": "user"
},
{
"content": "value_wrapper",
"role": "assistant"
}
] |
def x(*routings):
routes = []
for routing in routings:
methods, regex, app = routing[:3]
if isinstance(methods, basestring):
methods = methods,
vars = routing[3] if len(routing) >= 4 else {}
routes.append((methods, re.compile(unicode(regex)), app, vars))
def x(environ, start_response):
req = webob.Request(environ)
split_path_info = req.path_info.split('/')
if split_path_info[0]:
ctx = contexts.Ctx(req)
headers = wsgihelpers.handle_cross_origin_resource_sharing(ctx)
return wsgihelpers.respond_json(ctx, dict(apiVersion=1, error=
dict(code=400, message=ctx._(u'Invalid path: {0}').format(
req.path_info))), headers=headers)(environ, start_response)
for methods, regex, app, vars in routes:
match = regex.match(req.path_info)
if match is not None:
if methods is not None and req.method not in methods:
ctx = contexts.Ctx(req)
headers = wsgihelpers.handle_cross_origin_resource_sharing(
ctx)
return wsgihelpers.respond_json(ctx, dict(apiVersion=1,
error=dict(code=405, message=ctx._(
u'You cannot use HTTP {} to access this URL. Use one of {}.'
).format(req.method, methods))), headers=headers)(
environ, start_response)
if getattr(req, 'urlvars', None) is None:
req.urlvars = {}
req.urlvars.update(match.groupdict())
req.urlvars.update(vars)
req.script_name += req.path_info[:match.end()]
req.path_info = req.path_info[match.end():]
return app(req.environ, start_response)
ctx = contexts.Ctx(req)
headers = wsgihelpers.handle_cross_origin_resource_sharing(ctx)
return wsgihelpers.respond_json(ctx, dict(apiVersion=1, error=dict(
code=404, message=ctx._(u'Path not found: {0}').format(req.
path_info))), headers=headers)(environ, start_response)
return router
| make_router | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*routings):\n routes = []\n for routing in routings:\n methods, regex, app = routing[:3]\n if isinstance(methods, basestring):\n methods = methods,\n vars = routing[3] if len(routing) >= 4 else {}\n routes.append((methods, re.compile(unicode(regex)), app, vars))\n\n def x(environ, start_response):\n req = webob.Request(environ)\n split_path_info = req.path_info.split('/')\n if split_path_info[0]:\n ctx = contexts.Ctx(req)\n headers = wsgihelpers.handle_cross_origin_resource_sharing(ctx)\n return wsgihelpers.respond_json(ctx, dict(apiVersion=1, error=\n dict(code=400, message=ctx._(u'Invalid path: {0}').format(\n req.path_info))), headers=headers)(environ, start_response)\n for methods, regex, app, vars in routes:\n match = regex.match(req.path_info)\n if match is not None:\n if methods is not None and req.method not in methods:\n ctx = contexts.Ctx(req)\n headers = wsgihelpers.handle_cross_origin_resource_sharing(\n ctx)\n return wsgihelpers.respond_json(ctx, dict(apiVersion=1,\n error=dict(code=405, message=ctx._(\n u'You cannot use HTTP {} to access this URL. Use one of {}.'\n ).format(req.method, methods))), headers=headers)(\n environ, start_response)\n if getattr(req, 'urlvars', None) is None:\n req.urlvars = {}\n req.urlvars.update(match.groupdict())\n req.urlvars.update(vars)\n req.script_name += req.path_info[:match.end()]\n req.path_info = req.path_info[match.end():]\n return app(req.environ, start_response)\n ctx = contexts.Ctx(req)\n headers = wsgihelpers.handle_cross_origin_resource_sharing(ctx)\n return wsgihelpers.respond_json(ctx, dict(apiVersion=1, error=dict(\n code=404, message=ctx._(u'Path not found: {0}').format(req.\n path_info))), headers=headers)(environ, start_response)\n return router\n",
"role": "user"
},
{
"content": "make_router",
"role": "assistant"
}
] |
def x(uri):
uri = uri if isinstance(uri, ParseResult) else urlparse(uri)
if not uri.scheme:
raise ValueError('uri has no scheme: ' + uri)
f = _connect_fns.get(uri.scheme.lower(), None)
if not f:
err = 'No connect function registered for scheme `%s`' % uri.scheme
raise Exception(err)
return f(uri)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uri):\n uri = uri if isinstance(uri, ParseResult) else urlparse(uri)\n if not uri.scheme:\n raise ValueError('uri has no scheme: ' + uri)\n f = _connect_fns.get(uri.scheme.lower(), None)\n if not f:\n err = 'No connect function registered for scheme `%s`' % uri.scheme\n raise Exception(err)\n return f(uri)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, key, criteria, callback):
if hasattr(criteria, '__call__'):
pred = criteria
else:
pred = lambda incoming: _match_criteria(criteria, incoming)
with self._watches_lock:
self._watches[key] = pred, callback
| watch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, criteria, callback):\n if hasattr(criteria, '__call__'):\n pred = criteria\n else:\n pred = lambda incoming: _match_criteria(criteria, incoming)\n with self._watches_lock:\n self._watches[key] = pred, callback\n",
"role": "user"
},
{
"content": "watch",
"role": "assistant"
}
] |
def x(wrst, rrst, wclk, rclk, wfull, we, wdata, rempty, re, rdata, depth=
None, width=None):
if width == None:
width = 0
if wdata is not None:
width = len(wdata)
if depth == None:
depth = 4
assert depth >= 4, "Fifo_async parameter 'depth' must be >= 4 , detected depth={}".format(
depth)
assert depth & depth - 1 == 0, "Fifo_async parameter 'depth' must be 2**n, detected depth={}".format(
depth)
full_flg = Signal(bool(1))
empty_flg = Signal(bool(1))
full_val = Signal(bool(1))
empty_val = Signal(bool(1))
we_safe = Signal(bool(0))
re_safe = Signal(bool(0))
rd_ptr = Signal(intbv(0, min=0, max=depth))
wr_ptr = Signal(intbv(0, min=0, max=depth))
WIDTH = len(rd_ptr)
rd_ptr_bin = Signal(intbv(0)[WIDTH + 1:])
rd_ptr_bin_new = Signal(intbv(0)[WIDTH + 1:])
rd_ptr_gray = Signal(intbv(0)[WIDTH + 1:])
rd_ptr_gray_new = Signal(intbv(0)[WIDTH + 1:])
rd_ptr_gray_sync1 = Signal(intbv(0)[WIDTH + 1:])
rd_ptr_gray_sync2 = Signal(intbv(0)[WIDTH + 1:])
wr_ptr_bin = Signal(intbv(0)[WIDTH + 1:])
wr_ptr_bin_new = Signal(intbv(0)[WIDTH + 1:])
wr_ptr_gray = Signal(intbv(0)[WIDTH + 1:])
wr_ptr_gray_new = Signal(intbv(0)[WIDTH + 1:])
wr_ptr_gray_sync1 = Signal(intbv(0)[WIDTH + 1:])
wr_ptr_gray_sync2 = Signal(intbv(0)[WIDTH + 1:])
@always_comb
def x():
wfull.next = full_flg
rempty.next = empty_flg
we_safe.next = we and not full_flg
re_safe.next = re and not empty_flg
@always(wclk.posedge)
def x():
if wrst:
rd_ptr_gray_sync1.next = 0
rd_ptr_gray_sync2.next = 0
else:
rd_ptr_gray_sync1.next = rd_ptr_gray
rd_ptr_gray_sync2.next = rd_ptr_gray_sync1
@always(rclk.posedge)
def x():
if rrst:
wr_ptr_gray_sync1.next = 0
wr_ptr_gray_sync2.next = 0
else:
wr_ptr_gray_sync1.next = wr_ptr_gray
wr_ptr_gray_sync2.next = wr_ptr_gray_sync1
@always_comb
def x():
wr_ptr_bin_new.next = wr_ptr_bin
rd_ptr_bin_new.next = rd_ptr_bin
if we_safe:
wr_ptr_bin_new.next = (wr_ptr_bin + 1) % wr_ptr_bin.max
if re_safe:
rd_ptr_bin_new.next = (rd_ptr_bin + 1) % rd_ptr_bin.max
@always_comb
def x():
wr_ptr_gray_new.next = wr_ptr_bin_new >> 1 ^ wr_ptr_bin_new
rd_ptr_gray_new.next = rd_ptr_bin_new >> 1 ^ rd_ptr_bin_new
@always_comb
def x():
empty_val.next = rd_ptr_gray_new == wr_ptr_gray_sync2
full_val.next = wr_ptr_gray_new[WIDTH] != rd_ptr_gray_sync2[WIDTH
] and wr_ptr_gray_new[WIDTH - 1] != rd_ptr_gray_sync2[WIDTH - 1
] and wr_ptr_gray_new[WIDTH - 1:] == rd_ptr_gray_sync2[WIDTH - 1:]
@always(wclk.posedge)
def x():
if wrst:
wr_ptr_bin.next = 0
wr_ptr_gray.next = 0
full_flg.next = 0
else:
wr_ptr_bin.next = wr_ptr_bin_new
wr_ptr_gray.next = wr_ptr_gray_new
full_flg.next = full_val
@always(rclk.posedge)
def x():
if rrst:
rd_ptr_bin.next = 0
rd_ptr_gray.next = 0
empty_flg.next = 1
else:
rd_ptr_bin.next = rd_ptr_bin_new
rd_ptr_gray.next = rd_ptr_gray_new
empty_flg.next = empty_val
if width > 0:
mem_we = Signal(bool(0))
mem_addrw = Signal(intbv(0, min=0, max=depth))
mem_addrr = Signal(intbv(0, min=0, max=depth))
mem_di = Signal(intbv(0)[width:0])
mem_do = Signal(intbv(0)[width:0])
mem = ram_sdp_ar(clk=wclk, we=mem_we, addrw=mem_addrw, addrr=
mem_addrr, di=mem_di, do=mem_do)
@always_comb
def x():
mem_we.next = we_safe
mem_addrw.next = wr_ptr_bin[WIDTH:]
mem_addrr.next = rd_ptr_bin[WIDTH:]
mem_di.next = wdata
rdata.next = mem_do
return instances()
| fifo_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wrst, rrst, wclk, rclk, wfull, we, wdata, rempty, re, rdata, depth=\n None, width=None):\n if width == None:\n width = 0\n if wdata is not None:\n width = len(wdata)\n if depth == None:\n depth = 4\n assert depth >= 4, \"Fifo_async parameter 'depth' must be >= 4 , detected depth={}\".format(\n depth)\n assert depth & depth - 1 == 0, \"Fifo_async parameter 'depth' must be 2**n, detected depth={}\".format(\n depth)\n full_flg = Signal(bool(1))\n empty_flg = Signal(bool(1))\n full_val = Signal(bool(1))\n empty_val = Signal(bool(1))\n we_safe = Signal(bool(0))\n re_safe = Signal(bool(0))\n rd_ptr = Signal(intbv(0, min=0, max=depth))\n wr_ptr = Signal(intbv(0, min=0, max=depth))\n WIDTH = len(rd_ptr)\n rd_ptr_bin = Signal(intbv(0)[WIDTH + 1:])\n rd_ptr_bin_new = Signal(intbv(0)[WIDTH + 1:])\n rd_ptr_gray = Signal(intbv(0)[WIDTH + 1:])\n rd_ptr_gray_new = Signal(intbv(0)[WIDTH + 1:])\n rd_ptr_gray_sync1 = Signal(intbv(0)[WIDTH + 1:])\n rd_ptr_gray_sync2 = Signal(intbv(0)[WIDTH + 1:])\n wr_ptr_bin = Signal(intbv(0)[WIDTH + 1:])\n wr_ptr_bin_new = Signal(intbv(0)[WIDTH + 1:])\n wr_ptr_gray = Signal(intbv(0)[WIDTH + 1:])\n wr_ptr_gray_new = Signal(intbv(0)[WIDTH + 1:])\n wr_ptr_gray_sync1 = Signal(intbv(0)[WIDTH + 1:])\n wr_ptr_gray_sync2 = Signal(intbv(0)[WIDTH + 1:])\n\n @always_comb\n def x():\n wfull.next = full_flg\n rempty.next = empty_flg\n we_safe.next = we and not full_flg\n re_safe.next = re and not empty_flg\n\n @always(wclk.posedge)\n def x():\n if wrst:\n rd_ptr_gray_sync1.next = 0\n rd_ptr_gray_sync2.next = 0\n else:\n rd_ptr_gray_sync1.next = rd_ptr_gray\n rd_ptr_gray_sync2.next = rd_ptr_gray_sync1\n\n @always(rclk.posedge)\n def x():\n if rrst:\n wr_ptr_gray_sync1.next = 0\n wr_ptr_gray_sync2.next = 0\n else:\n wr_ptr_gray_sync1.next = wr_ptr_gray\n wr_ptr_gray_sync2.next = wr_ptr_gray_sync1\n\n @always_comb\n def x():\n wr_ptr_bin_new.next = wr_ptr_bin\n rd_ptr_bin_new.next = rd_ptr_bin\n if we_safe:\n wr_ptr_bin_new.next = (wr_ptr_bin + 1) % wr_ptr_bin.max\n if re_safe:\n rd_ptr_bin_new.next = (rd_ptr_bin + 1) % rd_ptr_bin.max\n\n @always_comb\n def x():\n wr_ptr_gray_new.next = wr_ptr_bin_new >> 1 ^ wr_ptr_bin_new\n rd_ptr_gray_new.next = rd_ptr_bin_new >> 1 ^ rd_ptr_bin_new\n\n @always_comb\n def x():\n empty_val.next = rd_ptr_gray_new == wr_ptr_gray_sync2\n full_val.next = wr_ptr_gray_new[WIDTH] != rd_ptr_gray_sync2[WIDTH\n ] and wr_ptr_gray_new[WIDTH - 1] != rd_ptr_gray_sync2[WIDTH - 1\n ] and wr_ptr_gray_new[WIDTH - 1:] == rd_ptr_gray_sync2[WIDTH - 1:]\n\n @always(wclk.posedge)\n def x():\n if wrst:\n wr_ptr_bin.next = 0\n wr_ptr_gray.next = 0\n full_flg.next = 0\n else:\n wr_ptr_bin.next = wr_ptr_bin_new\n wr_ptr_gray.next = wr_ptr_gray_new\n full_flg.next = full_val\n\n @always(rclk.posedge)\n def x():\n if rrst:\n rd_ptr_bin.next = 0\n rd_ptr_gray.next = 0\n empty_flg.next = 1\n else:\n rd_ptr_bin.next = rd_ptr_bin_new\n rd_ptr_gray.next = rd_ptr_gray_new\n empty_flg.next = empty_val\n if width > 0:\n mem_we = Signal(bool(0))\n mem_addrw = Signal(intbv(0, min=0, max=depth))\n mem_addrr = Signal(intbv(0, min=0, max=depth))\n mem_di = Signal(intbv(0)[width:0])\n mem_do = Signal(intbv(0)[width:0])\n mem = ram_sdp_ar(clk=wclk, we=mem_we, addrw=mem_addrw, addrr=\n mem_addrr, di=mem_di, do=mem_do)\n\n @always_comb\n def x():\n mem_we.next = we_safe\n mem_addrw.next = wr_ptr_bin[WIDTH:]\n mem_addrr.next = rd_ptr_bin[WIDTH:]\n mem_di.next = wdata\n rdata.next = mem_do\n return instances()\n",
"role": "user"
},
{
"content": "fifo_async",
"role": "assistant"
}
] |
def x(ctx, data, code=None, headers=[], json_dumps_default=None, jsonp=None):
if isinstance(data, collections.Mapping):
data = type(data)((name, value) for name, value in data.iteritems() if
value is not None)
error = data.get('error')
if isinstance(error, collections.Mapping):
error = data['error'] = type(error)((name, value) for name,
value in error.iteritems() if value is not None)
else:
error = None
if jsonp:
content_type = 'application/javascript; charset=utf-8'
else:
content_type = 'application/json; charset=utf-8'
if error:
code = code or error['code']
assert isinstance(code, int)
response = webob.exc.status_map[code](headers=headers)
response.content_type = content_type
if code == 204:
return response
if error.get('code') is None:
error['code'] = code
if error.get('message') is None:
title = errors_title.get(code)
title = ctx._(title) if title is not None else response.status
error['message'] = title
else:
response = ctx.req.response
response.content_type = content_type
if code is not None:
response.status = code
response.headers.update(headers)
if json_dumps_default is None:
text = json.dumps(data)
else:
text = json.dumps(data, default=json_dumps_default)
text = unicode(text)
if jsonp:
text = u'{0}({1})'.format(jsonp, text)
response.text = text
return response
| respond_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, data, code=None, headers=[], json_dumps_default=None, jsonp=None):\n if isinstance(data, collections.Mapping):\n data = type(data)((name, value) for name, value in data.iteritems() if\n value is not None)\n error = data.get('error')\n if isinstance(error, collections.Mapping):\n error = data['error'] = type(error)((name, value) for name,\n value in error.iteritems() if value is not None)\n else:\n error = None\n if jsonp:\n content_type = 'application/javascript; charset=utf-8'\n else:\n content_type = 'application/json; charset=utf-8'\n if error:\n code = code or error['code']\n assert isinstance(code, int)\n response = webob.exc.status_map[code](headers=headers)\n response.content_type = content_type\n if code == 204:\n return response\n if error.get('code') is None:\n error['code'] = code\n if error.get('message') is None:\n title = errors_title.get(code)\n title = ctx._(title) if title is not None else response.status\n error['message'] = title\n else:\n response = ctx.req.response\n response.content_type = content_type\n if code is not None:\n response.status = code\n response.headers.update(headers)\n if json_dumps_default is None:\n text = json.dumps(data)\n else:\n text = json.dumps(data, default=json_dumps_default)\n text = unicode(text)\n if jsonp:\n text = u'{0}({1})'.format(jsonp, text)\n response.text = text\n return response\n",
"role": "user"
},
{
"content": "respond_json",
"role": "assistant"
}
] |
def x(params):
global rar_executable_cached
if rar_executable_cached is None:
for command in ('unrar', 'rar'):
try:
subprocess.Popen([command], stdout=subprocess.PIPE)
rar_executable_cached = command
break
except OSError:
pass
if rar_executable_cached is None:
raise UnpackerNotInstalled('No suitable RAR unpacker installed')
assert type(params) == list, 'params must be list'
args = [rar_executable_cached] + params
try:
gc.disable()
return subprocess.Popen(args, stdout=subprocess.PIPE, stderr=
subprocess.PIPE)
finally:
gc.enable()
| call_unrar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params):\n global rar_executable_cached\n if rar_executable_cached is None:\n for command in ('unrar', 'rar'):\n try:\n subprocess.Popen([command], stdout=subprocess.PIPE)\n rar_executable_cached = command\n break\n except OSError:\n pass\n if rar_executable_cached is None:\n raise UnpackerNotInstalled('No suitable RAR unpacker installed')\n assert type(params) == list, 'params must be list'\n args = [rar_executable_cached] + params\n try:\n gc.disable()\n return subprocess.Popen(args, stdout=subprocess.PIPE, stderr=\n subprocess.PIPE)\n finally:\n gc.enable()\n",
"role": "user"
},
{
"content": "call_unrar",
"role": "assistant"
}
] |
def x():
return [n.replace('.json.gz', '') for n in pkg_resources.
resource_listdir(__name__, _assy_dir) if n.endswith('.json.gz')]
| get_assembly_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n return [n.replace('.json.gz', '') for n in pkg_resources.\n resource_listdir(__name__, _assy_dir) if n.endswith('.json.gz')]\n",
"role": "user"
},
{
"content": "get_assembly_names",
"role": "assistant"
}
] |
def x(name):
fn = pkg_resources.resource_filename(__name__, _assy_path_fmt.format(
name=name))
return json.load(gzip.open(fn, mode='rt', encoding='utf-8'))
| get_assembly | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n fn = pkg_resources.resource_filename(__name__, _assy_path_fmt.format(\n name=name))\n return json.load(gzip.open(fn, mode='rt', encoding='utf-8'))\n",
"role": "user"
},
{
"content": "get_assembly",
"role": "assistant"
}
] |
def x(names=[]):
if names == []:
names = get_assembly_names()
return {a['name']: a for a in (get_assembly(n) for n in names)}
| get_assemblies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(names=[]):\n if names == []:\n names = get_assembly_names()\n return {a['name']: a for a in (get_assembly(n) for n in names)}\n",
"role": "user"
},
{
"content": "get_assemblies",
"role": "assistant"
}
] |
def x(assy_name, primary_only=False):
return {s['name']: s['refseq_ac'] for s in get_assembly(assy_name)[
'sequences'] if not primary_only or _is_primary(s)}
| make_name_ac_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(assy_name, primary_only=False):\n return {s['name']: s['refseq_ac'] for s in get_assembly(assy_name)[\n 'sequences'] if not primary_only or _is_primary(s)}\n",
"role": "user"
},
{
"content": "make_name_ac_map",
"role": "assistant"
}
] |
def x(assy_name, primary_only=False):
return {s['refseq_ac']: s['name'] for s in get_assembly(assy_name)[
'sequences'] if not primary_only or _is_primary(s)}
| make_ac_name_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(assy_name, primary_only=False):\n return {s['refseq_ac']: s['name'] for s in get_assembly(assy_name)[\n 'sequences'] if not primary_only or _is_primary(s)}\n",
"role": "user"
},
{
"content": "make_ac_name_map",
"role": "assistant"
}
] |
def x(args=None):
if args is None:
parser = get_argument_parser()
args = parser.parse_args()
input_file = args.annotation_file
output_file = args.output_file
species = args.species
chrom_pat = args.chromosome_pattern
field_name = args.field_name
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 = re.compile(ensembl.SPECIES_CHROMPAT[species])
else:
chrom_pat = re.compile(chrom_pat)
logger.info('Regular expression used for filtering chromosome names: "%s"',
chrom_pat.pattern)
chromosomes = set()
excluded_chromosomes = set()
i = 0
exons = 0
logger.info('Parsing data...')
if input_file == '-':
input_file = None
with misc.smart_open_read(input_file, mode='rb', try_gzip=True
) as fh, misc.smart_open_write(output_file) as ofh:
reader = csv.reader(fh, dialect='excel-tab')
writer = csv.writer(ofh, dialect='excel-tab', lineterminator=os.
linesep, quoting=csv.QUOTE_NONE, quotechar='|')
for l in reader:
i += 1
if len(l) > 1 and l[2] == field_name:
attr = parse_attributes(l[8])
type_ = attr['gene_biotype']
if type_ in ['protein_coding', 'polymorphic_pseudogene']:
chrom = l[0]
m = chrom_pat.match(chrom)
if m is None:
excluded_chromosomes.add(chrom)
continue
chromosomes.add(chrom)
writer.writerow(l)
exons += 1
logger.info('Done! (Parsed %d lines.)', i)
logger.info('')
logger.info('Gene chromosomes (%d):', len(chromosomes))
logger.info('\t' + ', '.join(sorted(chromosomes)))
logger.info('')
logger.info('Excluded chromosomes (%d):', len(excluded_chromosomes))
logger.info('\t' + ', '.join(sorted(excluded_chromosomes)))
logger.info('')
logger.info('Total no. of exons: %d' % exons)
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 input_file = args.annotation_file\n output_file = args.output_file\n species = args.species\n chrom_pat = args.chromosome_pattern\n field_name = args.field_name\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 = re.compile(ensembl.SPECIES_CHROMPAT[species])\n else:\n chrom_pat = re.compile(chrom_pat)\n logger.info('Regular expression used for filtering chromosome names: \"%s\"',\n chrom_pat.pattern)\n chromosomes = set()\n excluded_chromosomes = set()\n i = 0\n exons = 0\n logger.info('Parsing data...')\n if input_file == '-':\n input_file = None\n with misc.smart_open_read(input_file, mode='rb', try_gzip=True\n ) as fh, misc.smart_open_write(output_file) as ofh:\n reader = csv.reader(fh, dialect='excel-tab')\n writer = csv.writer(ofh, dialect='excel-tab', lineterminator=os.\n linesep, quoting=csv.QUOTE_NONE, quotechar='|')\n for l in reader:\n i += 1\n if len(l) > 1 and l[2] == field_name:\n attr = parse_attributes(l[8])\n type_ = attr['gene_biotype']\n if type_ in ['protein_coding', 'polymorphic_pseudogene']:\n chrom = l[0]\n m = chrom_pat.match(chrom)\n if m is None:\n excluded_chromosomes.add(chrom)\n continue\n chromosomes.add(chrom)\n writer.writerow(l)\n exons += 1\n logger.info('Done! (Parsed %d lines.)', i)\n logger.info('')\n logger.info('Gene chromosomes (%d):', len(chromosomes))\n logger.info('\\t' + ', '.join(sorted(chromosomes)))\n logger.info('')\n logger.info('Excluded chromosomes (%d):', len(excluded_chromosomes))\n logger.info('\\t' + ', '.join(sorted(excluded_chromosomes)))\n logger.info('')\n logger.info('Total no. of exons: %d' % exons)\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(readsAlignments):
titles = defaultdict(int)
for readAlignments in readsAlignments:
for alignment in readAlignments:
titles[alignment.subjectTitle] += 1
return titles
| titleCounts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(readsAlignments):\n titles = defaultdict(int)\n for readAlignments in readsAlignments:\n for alignment in readAlignments:\n titles[alignment.subjectTitle] += 1\n return titles\n",
"role": "user"
},
{
"content": "titleCounts",
"role": "assistant"
}
] |
def x(self):
return {'hsps': [hsp.toDict() for hsp in self.hsps], 'read': self.read.
toDict()}
| toDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'hsps': [hsp.toDict() for hsp in self.hsps], 'read': self.read.\n toDict()}\n",
"role": "user"
},
{
"content": "toDict",
"role": "assistant"
}
] |
def x(self, score):
for hsp in self.hsps():
if hsp.betterThan(score):
return True
return False
| hasScoreBetterThan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, score):\n for hsp in self.hsps():\n if hsp.betterThan(score):\n return True\n return False\n",
"role": "user"
},
{
"content": "hasScoreBetterThan",
"role": "assistant"
}
] |
def x(self):
intervals = ReadIntervals(self.subjectLength)
for hsp in self.hsps():
intervals.add(hsp.subjectStart, hsp.subjectEnd)
return intervals.coverage()
| coverage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n intervals = ReadIntervals(self.subjectLength)\n for hsp in self.hsps():\n intervals.add(hsp.subjectStart, hsp.subjectEnd)\n return intervals.coverage()\n",
"role": "user"
},
{
"content": "coverage",
"role": "assistant"
}
] |
def x(self):
result = defaultdict(list)
for titleAlignment in self:
for hsp in titleAlignment.hsps:
score = hsp.score.score
for subjectOffset, base, _ in titleAlignment.read.walkHSP(hsp,
includeWhiskers=False):
result[subjectOffset].append((score, base))
return result
| coverageInfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = defaultdict(list)\n for titleAlignment in self:\n for hsp in titleAlignment.hsps:\n score = hsp.score.score\n for subjectOffset, base, _ in titleAlignment.read.walkHSP(hsp,\n includeWhiskers=False):\n result[subjectOffset].append((score, base))\n return result\n",
"role": "user"
},
{
"content": "coverageInfo",
"role": "assistant"
}
] |
def x(self, convertCaseTo='upper'):
if convertCaseTo == 'none':
def x(x):
return x
elif convertCaseTo == 'lower':
convert = str.lower
elif convertCaseTo == 'upper':
convert = str.upper
else:
raise ValueError(
"convertCaseTo must be one of 'none', 'lower', or 'upper'")
counts = defaultdict(Counter)
for titleAlignment in self:
read = titleAlignment.read
for hsp in titleAlignment.hsps:
for subjectOffset, residue, inMatch in read.walkHSP(hsp):
counts[subjectOffset][convert(residue)] += 1
return counts
| residueCounts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, convertCaseTo='upper'):\n if convertCaseTo == 'none':\n\n def x(x):\n return x\n elif convertCaseTo == 'lower':\n convert = str.lower\n elif convertCaseTo == 'upper':\n convert = str.upper\n else:\n raise ValueError(\n \"convertCaseTo must be one of 'none', 'lower', or 'upper'\")\n counts = defaultdict(Counter)\n for titleAlignment in self:\n read = titleAlignment.read\n for hsp in titleAlignment.hsps:\n for subjectOffset, residue, inMatch in read.walkHSP(hsp):\n counts[subjectOffset][convert(residue)] += 1\n return counts\n",
"role": "user"
},
{
"content": "residueCounts",
"role": "assistant"
}
] |
def x(self):
return {'bestScore': self.bestHsp().score.score, 'coverage': self.
coverage(), 'hspCount': self.hspCount(), 'medianScore': self.
medianScore(), 'readCount': self.readCount(), 'subjectLength': self
.subjectLength, 'subjectTitle': self.subjectTitle}
| summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'bestScore': self.bestHsp().score.score, 'coverage': self.\n coverage(), 'hspCount': self.hspCount(), 'medianScore': self.\n medianScore(), 'readCount': self.readCount(), 'subjectLength': self\n .subjectLength, 'subjectTitle': self.subjectTitle}\n",
"role": "user"
},
{
"content": "summary",
"role": "assistant"
}
] |
def x(self):
return {'titleAlignments': [titleAlignment.toDict() for titleAlignment in
self], 'subjectTitle': self.subjectTitle, 'subjectLength': self.
subjectLength}
| toDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'titleAlignments': [titleAlignment.toDict() for titleAlignment in\n self], 'subjectTitle': self.subjectTitle, 'subjectLength': self.\n subjectLength}\n",
"role": "user"
},
{
"content": "toDict",
"role": "assistant"
}
] |
def x(self, title, titleAlignments):
if title in self:
raise KeyError(
'Title %r already present in TitlesAlignments instance.' % title)
else:
self[title] = titleAlignments
| addTitle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title, titleAlignments):\n if title in self:\n raise KeyError(\n 'Title %r already present in TitlesAlignments instance.' % title)\n else:\n self[title] = titleAlignments\n",
"role": "user"
},
{
"content": "addTitle",
"role": "assistant"
}
] |
def x(self, minMatchingReads=None, minMedianScore=None, withScoreBetterThan
=None, minNewReads=None, minCoverage=None, maxTitles=None, sortOn=
'maxScore'):
if minNewReads is None:
readSetFilter = None
else:
if self.readSetFilter is None:
self.readSetFilter = ReadSetFilter(minNewReads)
readSetFilter = self.readSetFilter
result = TitlesAlignments(self.readsAlignments, self.scoreClass, self.
readSetFilter, importReadsAlignmentsTitles=False)
if maxTitles is not None and len(self) > maxTitles:
if maxTitles < 0:
raise ValueError('maxTitles (%r) cannot be negative.' % maxTitles)
else:
titles = self.sortTitles(sortOn)
else:
titles = self.keys()
for title in titles:
if maxTitles is not None and len(result) == maxTitles:
break
titleAlignments = self[title]
if minMatchingReads is not None and titleAlignments.readCount(
) < minMatchingReads:
continue
if minMedianScore is not None and self.scoreClass(titleAlignments.
medianScore()) < self.scoreClass(minMedianScore):
continue
if (withScoreBetterThan is not None and not titleAlignments.
hasScoreBetterThan(withScoreBetterThan)):
continue
if minCoverage is not None and titleAlignments.coverage(
) < minCoverage:
continue
if readSetFilter and not readSetFilter.accept(title, titleAlignments):
continue
result.addTitle(title, titleAlignments)
return result
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, minMatchingReads=None, minMedianScore=None, withScoreBetterThan\n =None, minNewReads=None, minCoverage=None, maxTitles=None, sortOn=\n 'maxScore'):\n if minNewReads is None:\n readSetFilter = None\n else:\n if self.readSetFilter is None:\n self.readSetFilter = ReadSetFilter(minNewReads)\n readSetFilter = self.readSetFilter\n result = TitlesAlignments(self.readsAlignments, self.scoreClass, self.\n readSetFilter, importReadsAlignmentsTitles=False)\n if maxTitles is not None and len(self) > maxTitles:\n if maxTitles < 0:\n raise ValueError('maxTitles (%r) cannot be negative.' % maxTitles)\n else:\n titles = self.sortTitles(sortOn)\n else:\n titles = self.keys()\n for title in titles:\n if maxTitles is not None and len(result) == maxTitles:\n break\n titleAlignments = self[title]\n if minMatchingReads is not None and titleAlignments.readCount(\n ) < minMatchingReads:\n continue\n if minMedianScore is not None and self.scoreClass(titleAlignments.\n medianScore()) < self.scoreClass(minMedianScore):\n continue\n if (withScoreBetterThan is not None and not titleAlignments.\n hasScoreBetterThan(withScoreBetterThan)):\n continue\n if minCoverage is not None and titleAlignments.coverage(\n ) < minCoverage:\n continue\n if readSetFilter and not readSetFilter.accept(title, titleAlignments):\n continue\n result.addTitle(title, titleAlignments)\n return result\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(self):
return (hsp for titleAlignments in self.values() for alignment in
titleAlignments for hsp in alignment.hsps)
| hsps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (hsp for titleAlignments in self.values() for alignment in\n titleAlignments for hsp in alignment.hsps)\n",
"role": "user"
},
{
"content": "hsps",
"role": "assistant"
}
] |
def x(self, by):
titles = sorted(iter(self))
if by == 'length':
return sorted(titles, reverse=True, key=lambda title: self[title].
subjectLength)
if by == 'maxScore':
return sorted(titles, reverse=True, key=lambda title: self[title].
bestHsp())
if by == 'medianScore':
return sorted(titles, reverse=True, key=lambda title: self.
scoreClass(self[title].medianScore()))
if by == 'readCount':
return sorted(titles, reverse=True, key=lambda title: self[title].
readCount())
if by == 'title':
return titles
raise ValueError(
'Sort attribute must be one of "length", "maxScore", "medianScore", "readCount", "title".'
)
| sortTitles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, by):\n titles = sorted(iter(self))\n if by == 'length':\n return sorted(titles, reverse=True, key=lambda title: self[title].\n subjectLength)\n if by == 'maxScore':\n return sorted(titles, reverse=True, key=lambda title: self[title].\n bestHsp())\n if by == 'medianScore':\n return sorted(titles, reverse=True, key=lambda title: self.\n scoreClass(self[title].medianScore()))\n if by == 'readCount':\n return sorted(titles, reverse=True, key=lambda title: self[title].\n readCount())\n if by == 'title':\n return titles\n raise ValueError(\n 'Sort attribute must be one of \"length\", \"maxScore\", \"medianScore\", \"readCount\", \"title\".'\n )\n",
"role": "user"
},
{
"content": "sortTitles",
"role": "assistant"
}
] |
def x(self, sortOn=None):
titles = self if sortOn is None else self.sortTitles(sortOn)
for title in titles:
yield self[title].summary()
| summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortOn=None):\n titles = self if sortOn is None else self.sortTitles(sortOn)\n for title in titles:\n yield self[title].summary()\n",
"role": "user"
},
{
"content": "summary",
"role": "assistant"
}
] |
def x(self, sortOn=None):
result = []
for titleSummary in self.summary(sortOn):
result.append('\t'.join(['%(coverage)f', '%(medianScore)f',
'%(bestScore)f', '%(readCount)d', '%(hspCount)d',
'%(subjectLength)d', '%(subjectTitle)s']) % titleSummary)
return '\n'.join(result)
| tabSeparatedSummary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortOn=None):\n result = []\n for titleSummary in self.summary(sortOn):\n result.append('\\t'.join(['%(coverage)f', '%(medianScore)f',\n '%(bestScore)f', '%(readCount)d', '%(hspCount)d',\n '%(subjectLength)d', '%(subjectTitle)s']) % titleSummary)\n return '\\n'.join(result)\n",
"role": "user"
},
{
"content": "tabSeparatedSummary",
"role": "assistant"
}
] |
def x(self):
return {'scoreClass': self.scoreClass.__name__, 'titles': dict((title,
titleAlignments.toDict()) for title, titleAlignments in self.items())}
| toDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'scoreClass': self.scoreClass.__name__, 'titles': dict((title,\n titleAlignments.toDict()) for title, titleAlignments in self.items())}\n",
"role": "user"
},
{
"content": "toDict",
"role": "assistant"
}
] |
def x(parser):
parser.add_argument('--minLength', type=int, help=
'The minimum sequence length')
parser.add_argument('--maxLength', type=int, help=
'The maximum sequence length')
parser.add_argument('--whitelist', action='append', help=
'Sequence titles (ids) that should be whitelisted')
parser.add_argument('--blacklist', action='append', help=
'Sequence titles (ids) that should be blacklisted')
parser.add_argument('--whitelistFile', help=
'The name of a file that contains sequence titles (ids) that should be whitelisted, one per line'
)
parser.add_argument('--blacklistFile', help=
'The name of a file that contains sequence titles (ids) that should be blacklisted, one per line'
)
parser.add_argument('--titleRegex', help=
'A regex that sequence titles (ids) must match.')
parser.add_argument('--negativeTitleRegex', help=
'A regex that sequence titles (ids) must not match.')
group = parser.add_mutually_exclusive_group()
group.add_argument('--keepSequences', help=
'Specify (1-based) ranges of sequence numbers that should be kept. E.g., --keepSequences 1-3,5 will output just the 1st, 2nd, 3rd, and 5th sequences. All others will be omitted.'
)
group.add_argument('--removeSequences', help=
'Specify (1-based) ranges of sequence numbers that should be removed. E.g., --removeSequences 1-3,5 will output all but the 1st, 2nd, 3rd, and 5th sequences. All others will be ouput.'
)
parser.add_argument('--head', type=int, metavar='N', help=
'Only the first N sequences will be printed.')
parser.add_argument('--removeDuplicates', action='store_true', default=
False, help=
'Duplicate reads will be removed, based only on sequence identity. The first occurrence is kept.'
)
parser.add_argument('--removeDuplicatesById', action='store_true',
default=False, help=
'Duplicate reads will be removed, based only on read id. The first occurrence is kept.'
)
parser.add_argument('--randomSubset', type=int, help=
'An integer giving the number of sequences that should be kept. These will be selected at random.'
)
parser.add_argument('--trueLength', type=int, help=
'The number of reads in the FASTA input. Only to be used with randomSubset'
)
parser.add_argument('--sampleFraction', type=float, help=
'A [0.0, 1.0] C{float} indicating a fraction of the reads that should be allowed to pass through the filter. The sample size will only be approximately the product of the sample fraction and the number of reads. The sample is taken at random.'
)
parser.add_argument('--sequenceNumbersFile', help=
'A file of (1-based) sequence numbers to retain. Numbers must be one per line.'
)
| addFASTAFilteringCommandLineOptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser):\n parser.add_argument('--minLength', type=int, help=\n 'The minimum sequence length')\n parser.add_argument('--maxLength', type=int, help=\n 'The maximum sequence length')\n parser.add_argument('--whitelist', action='append', help=\n 'Sequence titles (ids) that should be whitelisted')\n parser.add_argument('--blacklist', action='append', help=\n 'Sequence titles (ids) that should be blacklisted')\n parser.add_argument('--whitelistFile', help=\n 'The name of a file that contains sequence titles (ids) that should be whitelisted, one per line'\n )\n parser.add_argument('--blacklistFile', help=\n 'The name of a file that contains sequence titles (ids) that should be blacklisted, one per line'\n )\n parser.add_argument('--titleRegex', help=\n 'A regex that sequence titles (ids) must match.')\n parser.add_argument('--negativeTitleRegex', help=\n 'A regex that sequence titles (ids) must not match.')\n group = parser.add_mutually_exclusive_group()\n group.add_argument('--keepSequences', help=\n 'Specify (1-based) ranges of sequence numbers that should be kept. E.g., --keepSequences 1-3,5 will output just the 1st, 2nd, 3rd, and 5th sequences. All others will be omitted.'\n )\n group.add_argument('--removeSequences', help=\n 'Specify (1-based) ranges of sequence numbers that should be removed. E.g., --removeSequences 1-3,5 will output all but the 1st, 2nd, 3rd, and 5th sequences. All others will be ouput.'\n )\n parser.add_argument('--head', type=int, metavar='N', help=\n 'Only the first N sequences will be printed.')\n parser.add_argument('--removeDuplicates', action='store_true', default=\n False, help=\n 'Duplicate reads will be removed, based only on sequence identity. The first occurrence is kept.'\n )\n parser.add_argument('--removeDuplicatesById', action='store_true',\n default=False, help=\n 'Duplicate reads will be removed, based only on read id. The first occurrence is kept.'\n )\n parser.add_argument('--randomSubset', type=int, help=\n 'An integer giving the number of sequences that should be kept. These will be selected at random.'\n )\n parser.add_argument('--trueLength', type=int, help=\n 'The number of reads in the FASTA input. Only to be used with randomSubset'\n )\n parser.add_argument('--sampleFraction', type=float, help=\n 'A [0.0, 1.0] C{float} indicating a fraction of the reads that should be allowed to pass through the filter. The sample size will only be approximately the product of the sample fraction and the number of reads. The sample is taken at random.'\n )\n parser.add_argument('--sequenceNumbersFile', help=\n 'A file of (1-based) sequence numbers to retain. Numbers must be one per line.'\n )\n",
"role": "user"
},
{
"content": "addFASTAFilteringCommandLineOptions",
"role": "assistant"
}
] |
def x(args, reads):
keepSequences = parseRangeString(args.keepSequences, convertToZeroBased
=True) if args.keepSequences else None
removeSequences = parseRangeString(args.removeSequences,
convertToZeroBased=True) if args.removeSequences else None
return reads.filter(minLength=args.minLength, maxLength=args.maxLength,
whitelist=set(args.whitelist) if args.whitelist else None,
blacklist=set(args.blacklist) if args.blacklist else None,
whitelistFile=args.whitelistFile, blacklistFile=args.blacklistFile,
titleRegex=args.titleRegex, negativeTitleRegex=args.
negativeTitleRegex, keepSequences=keepSequences, removeSequences=
removeSequences, head=args.head, removeDuplicates=args.
removeDuplicates, removeDuplicatesById=args.removeDuplicatesById,
randomSubset=args.randomSubset, trueLength=args.trueLength,
sampleFraction=args.sampleFraction, sequenceNumbersFile=args.
sequenceNumbersFile)
| parseFASTAFilteringCommandLineOptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, reads):\n keepSequences = parseRangeString(args.keepSequences, convertToZeroBased\n =True) if args.keepSequences else None\n removeSequences = parseRangeString(args.removeSequences,\n convertToZeroBased=True) if args.removeSequences else None\n return reads.filter(minLength=args.minLength, maxLength=args.maxLength,\n whitelist=set(args.whitelist) if args.whitelist else None,\n blacklist=set(args.blacklist) if args.blacklist else None,\n whitelistFile=args.whitelistFile, blacklistFile=args.blacklistFile,\n titleRegex=args.titleRegex, negativeTitleRegex=args.\n negativeTitleRegex, keepSequences=keepSequences, removeSequences=\n removeSequences, head=args.head, removeDuplicates=args.\n removeDuplicates, removeDuplicatesById=args.removeDuplicatesById,\n randomSubset=args.randomSubset, trueLength=args.trueLength,\n sampleFraction=args.sampleFraction, sequenceNumbersFile=args.\n sequenceNumbersFile)\n",
"role": "user"
},
{
"content": "parseFASTAFilteringCommandLineOptions",
"role": "assistant"
}
] |
def x(parser):
group = parser.add_mutually_exclusive_group()
group.add_argument('--keepSites', '--keepIndices', help=
'Specify 1-based sequence sites to keep. All other sites will be removed. The sites must be given in the form e.g., 24,100-200,260. Note that the requested sites will be taken from the input sequences in order, not in the order given by --keepSites. I.e., --keepSites 5,8-10 will get you the same result as --keepSites 8-10,5.'
)
group.add_argument('--keepSitesFile', '--keepIndicesFile', help=
'Specify a file containing 1-based sites to keep. All other sequence sites will be removed. Lines in the file must be given in the form e.g., 24,100-200,260. See --keepSites for more detail.'
)
group.add_argument('--removeSites', '--removeIndices', help=
'Specify 1-based sites to remove. All other sequence sites will be kept. The sites must be given in the form e.g., 24,100-200,260. See --keepSites for more detail.'
)
group.add_argument('--removeSitesFile', '--removeIndicesFile', help=
'Specify a file containing 1-based sites to remove. All other sequence sites will be kept. Lines in the file must be given in the form e.g., 24,100-200,260. See --keepSites for more detail.'
)
parser.add_argument('--removeGaps', action='store_true', default=False,
help="If True, gap ('-') characters in sequences will be removed.")
parser.add_argument('--truncateTitlesAfter', help=
'A string that sequence titles (ids) will be truncated beyond. If the truncated version of a title has already been seen, that title will be skipped.'
)
parser.add_argument('--removeDescriptions', action='store_true',
default=False, help=
'Read id descriptions will be removed. The description is the part of a sequence id after the first whitespace (if any).'
)
parser.add_argument('--idLambda', metavar='LAMBDA-FUNCTION', help=
'A one-argument function taking and returning a read id. E.g., --idLambda "lambda id: id.split(\'_\')[0]" or --idLambda "lambda id: id[:10]". If the function returns None, the read will be filtered out.'
)
parser.add_argument('--readLambda', metavar='LAMBDA-FUNCTION', help=
'A one-argument function taking and returning a read. E.g., --readLambda "lambda r: Read(r.id.split(\'_\')[0], r.sequence.strip(\'-\')". Make sure to also modify the quality string if you change the length of a FASTQ sequence. If the function returns None, the read will be filtered out. The function will be passed to eval with the dark.reads classes Read, DNARead, AARead, etc. all in scope.'
)
parser.add_argument('--reverse', action='store_true', default=False,
help=
'Reverse the sequences. Note that this is NOT reverse complementing.')
parser.add_argument('--reverseComplement', action='store_true', default
=False, help='Reverse complement the sequences.')
| addFASTAEditingCommandLineOptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser):\n group = parser.add_mutually_exclusive_group()\n group.add_argument('--keepSites', '--keepIndices', help=\n 'Specify 1-based sequence sites to keep. All other sites will be removed. The sites must be given in the form e.g., 24,100-200,260. Note that the requested sites will be taken from the input sequences in order, not in the order given by --keepSites. I.e., --keepSites 5,8-10 will get you the same result as --keepSites 8-10,5.'\n )\n group.add_argument('--keepSitesFile', '--keepIndicesFile', help=\n 'Specify a file containing 1-based sites to keep. All other sequence sites will be removed. Lines in the file must be given in the form e.g., 24,100-200,260. See --keepSites for more detail.'\n )\n group.add_argument('--removeSites', '--removeIndices', help=\n 'Specify 1-based sites to remove. All other sequence sites will be kept. The sites must be given in the form e.g., 24,100-200,260. See --keepSites for more detail.'\n )\n group.add_argument('--removeSitesFile', '--removeIndicesFile', help=\n 'Specify a file containing 1-based sites to remove. All other sequence sites will be kept. Lines in the file must be given in the form e.g., 24,100-200,260. See --keepSites for more detail.'\n )\n parser.add_argument('--removeGaps', action='store_true', default=False,\n help=\"If True, gap ('-') characters in sequences will be removed.\")\n parser.add_argument('--truncateTitlesAfter', help=\n 'A string that sequence titles (ids) will be truncated beyond. If the truncated version of a title has already been seen, that title will be skipped.'\n )\n parser.add_argument('--removeDescriptions', action='store_true',\n default=False, help=\n 'Read id descriptions will be removed. The description is the part of a sequence id after the first whitespace (if any).'\n )\n parser.add_argument('--idLambda', metavar='LAMBDA-FUNCTION', help=\n 'A one-argument function taking and returning a read id. E.g., --idLambda \"lambda id: id.split(\\'_\\')[0]\" or --idLambda \"lambda id: id[:10]\". If the function returns None, the read will be filtered out.'\n )\n parser.add_argument('--readLambda', metavar='LAMBDA-FUNCTION', help=\n 'A one-argument function taking and returning a read. E.g., --readLambda \"lambda r: Read(r.id.split(\\'_\\')[0], r.sequence.strip(\\'-\\')\". Make sure to also modify the quality string if you change the length of a FASTQ sequence. If the function returns None, the read will be filtered out. The function will be passed to eval with the dark.reads classes Read, DNARead, AARead, etc. all in scope.'\n )\n parser.add_argument('--reverse', action='store_true', default=False,\n help=\n 'Reverse the sequences. Note that this is NOT reverse complementing.')\n parser.add_argument('--reverseComplement', action='store_true', default\n =False, help='Reverse complement the sequences.')\n",
"role": "user"
},
{
"content": "addFASTAEditingCommandLineOptions",
"role": "assistant"
}
] |
def x(args, reads):
removeGaps = args.removeGaps
removeDescriptions = args.removeDescriptions
truncateTitlesAfter = args.truncateTitlesAfter
keepSites = parseRangeString(args.keepSites, convertToZeroBased=True
) if args.keepSites else None
if args.keepSitesFile:
keepSites = keepSites or set()
with open(args.keepSitesFile) as fp:
for lineNumber, line in enumerate(fp):
try:
keepSites.update(parseRangeString(line,
convertToZeroBased=True))
except ValueError as e:
raise ValueError(
'Keep sites file %r line %d could not be parsed: %s' %
(args.keepSitesFile, lineNumber, e))
removeSites = parseRangeString(args.removeSites, convertToZeroBased=True
) if args.removeSites else None
if args.removeSitesFile:
removeSites = removeSites or set()
with open(args.removeSitesFile) as fp:
for lineNumber, line in enumerate(fp):
try:
removeSites.update(parseRangeString(line,
convertToZeroBased=True))
except ValueError as e:
raise ValueError(
'Remove sites file %r line %d parse error: %s' % (
args.removeSitesFile, lineNumber, e))
return reads.filter(removeGaps=removeGaps, truncateTitlesAfter=
truncateTitlesAfter, removeDescriptions=removeDescriptions,
idLambda=args.idLambda, readLambda=args.readLambda, keepSites=
keepSites, removeSites=removeSites, reverse=args.reverse,
reverseComplement=args.reverseComplement)
| parseFASTAEditingCommandLineOptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, reads):\n removeGaps = args.removeGaps\n removeDescriptions = args.removeDescriptions\n truncateTitlesAfter = args.truncateTitlesAfter\n keepSites = parseRangeString(args.keepSites, convertToZeroBased=True\n ) if args.keepSites else None\n if args.keepSitesFile:\n keepSites = keepSites or set()\n with open(args.keepSitesFile) as fp:\n for lineNumber, line in enumerate(fp):\n try:\n keepSites.update(parseRangeString(line,\n convertToZeroBased=True))\n except ValueError as e:\n raise ValueError(\n 'Keep sites file %r line %d could not be parsed: %s' %\n (args.keepSitesFile, lineNumber, e))\n removeSites = parseRangeString(args.removeSites, convertToZeroBased=True\n ) if args.removeSites else None\n if args.removeSitesFile:\n removeSites = removeSites or set()\n with open(args.removeSitesFile) as fp:\n for lineNumber, line in enumerate(fp):\n try:\n removeSites.update(parseRangeString(line,\n convertToZeroBased=True))\n except ValueError as e:\n raise ValueError(\n 'Remove sites file %r line %d parse error: %s' % (\n args.removeSitesFile, lineNumber, e))\n return reads.filter(removeGaps=removeGaps, truncateTitlesAfter=\n truncateTitlesAfter, removeDescriptions=removeDescriptions,\n idLambda=args.idLambda, readLambda=args.readLambda, keepSites=\n keepSites, removeSites=removeSites, reverse=args.reverse,\n reverseComplement=args.reverseComplement)\n",
"role": "user"
},
{
"content": "parseFASTAEditingCommandLineOptions",
"role": "assistant"
}
] |
def x(self, title):
if self._whitelist and title in self._whitelist:
return self.WHITELIST_ACCEPT
if self._blacklist and title in self._blacklist:
return self.REJECT
if self._positiveRegex and self._positiveRegex.search(title) is None:
return self.REJECT
if self._negativeRegex and self._negativeRegex.search(title) is not None:
return self.REJECT
if self._truncated is not None:
truncated = simplifyTitle(title, self._truncateAfter)
if truncated in self._truncated:
if self._truncated[truncated] == title:
return self.DEFAULT_ACCEPT
else:
return self.REJECT
else:
self._truncated[truncated] = title
return self.DEFAULT_ACCEPT
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title):\n if self._whitelist and title in self._whitelist:\n return self.WHITELIST_ACCEPT\n if self._blacklist and title in self._blacklist:\n return self.REJECT\n if self._positiveRegex and self._positiveRegex.search(title) is None:\n return self.REJECT\n if self._negativeRegex and self._negativeRegex.search(title) is not None:\n return self.REJECT\n if self._truncated is not None:\n truncated = simplifyTitle(title, self._truncateAfter)\n if truncated in self._truncated:\n if self._truncated[truncated] == title:\n return self.DEFAULT_ACCEPT\n else:\n return self.REJECT\n else:\n self._truncated[truncated] = title\n return self.DEFAULT_ACCEPT\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(self, title, titleAlignments):
assert title not in self._titles, 'Title %r seen multiple times.' % title
readIds = titleAlignments.readIds()
newReadsRequired = ceil(self._minNew * len(readIds))
for readSet, invalidatedTitles in self._titles.values():
if len(readIds - readSet) < newReadsRequired:
invalidatedTitles.append(title)
return False
self._titles[title] = readIds, []
return True
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title, titleAlignments):\n assert title not in self._titles, 'Title %r seen multiple times.' % title\n readIds = titleAlignments.readIds()\n newReadsRequired = ceil(self._minNew * len(readIds))\n for readSet, invalidatedTitles in self._titles.values():\n if len(readIds - readSet) < newReadsRequired:\n invalidatedTitles.append(title)\n return False\n self._titles[title] = readIds, []\n return True\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(self, record):
alignments = []
for alignment in record.alignments:
hsps = []
for hsp in alignment.hsps:
hsps.append({'bits': hsp.bits, 'expect': hsp.expect, 'frame':
hsp.frame, 'identicalCount': hsp.identities,
'positiveCount': hsp.positives, 'query': hsp.query,
'query_start': hsp.query_start, 'query_end': hsp.query_end,
'sbjct': hsp.sbjct, 'sbjct_start': hsp.sbjct_start,
'sbjct_end': hsp.sbjct_end})
alignments.append({'hsps': hsps, 'length': alignment.length,
'title': alignment.title})
return {'alignments': alignments, 'query': record.query}
| convertBlastRecordToDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n alignments = []\n for alignment in record.alignments:\n hsps = []\n for hsp in alignment.hsps:\n hsps.append({'bits': hsp.bits, 'expect': hsp.expect, 'frame':\n hsp.frame, 'identicalCount': hsp.identities,\n 'positiveCount': hsp.positives, 'query': hsp.query,\n 'query_start': hsp.query_start, 'query_end': hsp.query_end,\n 'sbjct': hsp.sbjct, 'sbjct_start': hsp.sbjct_start,\n 'sbjct_end': hsp.sbjct_end})\n alignments.append({'hsps': hsps, 'length': alignment.length,\n 'title': alignment.title})\n return {'alignments': alignments, 'query': record.query}\n",
"role": "user"
},
{
"content": "convertBlastRecordToDict",
"role": "assistant"
}
] |
def x(self, record):
result = {}
for attr in ('application', 'version', 'date', 'reference', 'query',
'query_letters', 'database', 'database_sequences',
'database_letters', 'database_name', 'posted_date',
'num_letters_in_database', 'num_sequences_in_database', 'ka_params',
'gapped', 'ka_params_gap', 'matrix', 'gap_penalties', 'sc_match',
'sc_mismatch', 'num_hits', 'num_sequences', 'num_good_extends',
'num_seqs_better_e', 'hsps_no_gap', 'hsps_prelim_gapped',
'hsps_prelim_gapped_attemped', 'hsps_gapped', 'query_id',
'query_length', 'database_length', 'effective_hsp_length',
'effective_query_length', 'effective_database_length',
'effective_search_space', 'effective_search_space_used',
'frameshift', 'threshold', 'window_size', 'dropoff_1st_pass',
'gap_x_dropoff', 'gap_x_dropoff_final', 'gap_trigger', 'blast_cutoff'):
result[attr] = getattr(record, attr)
return result
| convertBlastParamsToDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n result = {}\n for attr in ('application', 'version', 'date', 'reference', 'query',\n 'query_letters', 'database', 'database_sequences',\n 'database_letters', 'database_name', 'posted_date',\n 'num_letters_in_database', 'num_sequences_in_database', 'ka_params',\n 'gapped', 'ka_params_gap', 'matrix', 'gap_penalties', 'sc_match',\n 'sc_mismatch', 'num_hits', 'num_sequences', 'num_good_extends',\n 'num_seqs_better_e', 'hsps_no_gap', 'hsps_prelim_gapped',\n 'hsps_prelim_gapped_attemped', 'hsps_gapped', 'query_id',\n 'query_length', 'database_length', 'effective_hsp_length',\n 'effective_query_length', 'effective_database_length',\n 'effective_search_space', 'effective_search_space_used',\n 'frameshift', 'threshold', 'window_size', 'dropoff_1st_pass',\n 'gap_x_dropoff', 'gap_x_dropoff_final', 'gap_trigger', 'blast_cutoff'):\n result[attr] = getattr(record, attr)\n return result\n",
"role": "user"
},
{
"content": "convertBlastParamsToDict",
"role": "assistant"
}
] |
def x(self):
first = True
with as_handle(self._filename) as fp:
for record in NCBIXML.parse(fp):
if first:
self.params = self._convertBlastParamsToDict(record)
first = False
yield record
| records | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n first = True\n with as_handle(self._filename) as fp:\n for record in NCBIXML.parse(fp):\n if first:\n self.params = self._convertBlastParamsToDict(record)\n first = False\n yield record\n",
"role": "user"
},
{
"content": "records",
"role": "assistant"
}
] |
def x(self, fp):
first = True
for record in self.records():
if first:
print(dumps(self.params, separators=(',', ':')), file=fp)
first = False
print(dumps(self._convertBlastRecordToDict(record), separators=(',',
':')), file=fp)
| saveAsJSON | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp):\n first = True\n for record in self.records():\n if first:\n print(dumps(self.params, separators=(',', ':')), file=fp)\n first = False\n print(dumps(self._convertBlastRecordToDict(record), separators=(',',\n ':')), file=fp)\n",
"role": "user"
},
{
"content": "saveAsJSON",
"role": "assistant"
}
] |
def x(self, filename):
if filename.endswith('.bz2'):
if six.PY3:
self._fp = bz2.open(filename, mode='rt', encoding='UTF-8')
else:
self._fp = bz2.BZ2File(filename)
else:
self._fp = open(filename)
line = self._fp.readline()
if not line:
raise ValueError('JSON file %r was empty.' % self._filename)
try:
self.params = loads(line[:-1])
except ValueError as e:
raise ValueError(
'Could not convert first line of %r to JSON (%s). Line is %r.' %
(self._filename, e, line[:-1]))
else:
if 'application' not in self.params:
raise ValueError(
'%r appears to be an old JSON file with no BLAST global parameters. Please re-run convert-blast-xml-to-json.py to convert it to the newest format.'
% self._filename)
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if filename.endswith('.bz2'):\n if six.PY3:\n self._fp = bz2.open(filename, mode='rt', encoding='UTF-8')\n else:\n self._fp = bz2.BZ2File(filename)\n else:\n self._fp = open(filename)\n line = self._fp.readline()\n if not line:\n raise ValueError('JSON file %r was empty.' % self._filename)\n try:\n self.params = loads(line[:-1])\n except ValueError as e:\n raise ValueError(\n 'Could not convert first line of %r to JSON (%s). Line is %r.' %\n (self._filename, e, line[:-1]))\n else:\n if 'application' not in self.params:\n raise ValueError(\n '%r appears to be an old JSON file with no BLAST global parameters. Please re-run convert-blast-xml-to-json.py to convert it to the newest format.'\n % self._filename)\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self, blastDict, read):
if blastDict['query'] != read.id and blastDict['query'].split()[0
] != read.id:
raise ValueError(
'The reads you have provided do not match the BLAST output: BLAST record query id (%s) does not match the id of the supposedly corresponding read (%s).'
% (blastDict['query'], read.id))
alignments = []
getScore = itemgetter('bits' if self._hspClass is HSP else 'expect')
for blastAlignment in blastDict['alignments']:
alignment = Alignment(blastAlignment['length'], blastAlignment['title']
)
alignments.append(alignment)
for blastHsp in blastAlignment['hsps']:
score = getScore(blastHsp)
normalized = normalizeHSP(blastHsp, len(read), self.application)
hsp = self._hspClass(score, readStart=normalized['readStart'],
readEnd=normalized['readEnd'], readStartInSubject=
normalized['readStartInSubject'], readEndInSubject=
normalized['readEndInSubject'], readFrame=blastHsp['frame']
[0], subjectStart=normalized['subjectStart'], subjectEnd=
normalized['subjectEnd'], subjectFrame=blastHsp['frame'][1],
readMatchedSequence=blastHsp['query'],
subjectMatchedSequence=blastHsp['sbjct'], identicalCount=
blastHsp.get('identicalCount'), positiveCount=blastHsp.get(
'positiveCount'))
alignment.addHsp(hsp)
return alignments
| dictToAlignments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blastDict, read):\n if blastDict['query'] != read.id and blastDict['query'].split()[0\n ] != read.id:\n raise ValueError(\n 'The reads you have provided do not match the BLAST output: BLAST record query id (%s) does not match the id of the supposedly corresponding read (%s).'\n % (blastDict['query'], read.id))\n alignments = []\n getScore = itemgetter('bits' if self._hspClass is HSP else 'expect')\n for blastAlignment in blastDict['alignments']:\n alignment = Alignment(blastAlignment['length'], blastAlignment['title']\n )\n alignments.append(alignment)\n for blastHsp in blastAlignment['hsps']:\n score = getScore(blastHsp)\n normalized = normalizeHSP(blastHsp, len(read), self.application)\n hsp = self._hspClass(score, readStart=normalized['readStart'],\n readEnd=normalized['readEnd'], readStartInSubject=\n normalized['readStartInSubject'], readEndInSubject=\n normalized['readEndInSubject'], readFrame=blastHsp['frame']\n [0], subjectStart=normalized['subjectStart'], subjectEnd=\n normalized['subjectEnd'], subjectFrame=blastHsp['frame'][1],\n readMatchedSequence=blastHsp['query'],\n subjectMatchedSequence=blastHsp['sbjct'], identicalCount=\n blastHsp.get('identicalCount'), positiveCount=blastHsp.get(\n 'positiveCount'))\n alignment.addHsp(hsp)\n return alignments\n",
"role": "user"
},
{
"content": "dictToAlignments",
"role": "assistant"
}
] |
def x(self, reads):
if self._fp is None:
self._open(self._filename)
reads = iter(reads)
try:
for lineNumber, line in enumerate(self._fp, start=2):
try:
record = loads(line[:-1])
except ValueError as e:
raise ValueError(
'Could not convert line %d of %r to JSON (%s). Line is %r.'
% (lineNumber, self._filename, e, line[:-1]))
else:
try:
read = next(reads)
except StopIteration:
raise ValueError(
'Read generator failed to yield read number %d during parsing of BLAST file %r.'
% (lineNumber - 1, self._filename))
else:
alignments = self._dictToAlignments(record, read)
yield ReadAlignments(read, alignments)
finally:
self._fp.close()
self._fp = None
| readAlignments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reads):\n if self._fp is None:\n self._open(self._filename)\n reads = iter(reads)\n try:\n for lineNumber, line in enumerate(self._fp, start=2):\n try:\n record = loads(line[:-1])\n except ValueError as e:\n raise ValueError(\n 'Could not convert line %d of %r to JSON (%s). Line is %r.'\n % (lineNumber, self._filename, e, line[:-1]))\n else:\n try:\n read = next(reads)\n except StopIteration:\n raise ValueError(\n 'Read generator failed to yield read number %d during parsing of BLAST file %r.'\n % (lineNumber - 1, self._filename))\n else:\n alignments = self._dictToAlignments(record, read)\n yield ReadAlignments(read, alignments)\n finally:\n self._fp.close()\n self._fp = None\n",
"role": "user"
},
{
"content": "readAlignments",
"role": "assistant"
}
] |
def x(complementData):
table = list(range(256))
for _from, to in complementData.items():
table[ord(_from[0].lower())] = ord(to[0].lower())
table[ord(_from[0].upper())] = ord(to[0].upper())
return ''.join(map(chr, table))
| makeComplementTable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(complementData):\n table = list(range(256))\n for _from, to in complementData.items():\n table[ord(_from[0].lower())] = ord(to[0].lower())\n table[ord(_from[0].upper())] = ord(to[0].upper())\n return ''.join(map(chr, table))\n",
"role": "user"
},
{
"content": "makeComplementTable",
"role": "assistant"
}
] |
def x(parser):
parser.add_argument('--fastaFile', type=open, default=sys.stdin,
metavar='FILENAME', help=
'The name of the FASTA input file. Standard input will be read if no file name is given.'
)
parser.add_argument('--readClass', default='DNARead', choices=
readClassNameToClass, metavar='CLASSNAME', help=
'If specified, give the type of the reads in the input. Possible choices: %s.'
% ', '.join(readClassNameToClass))
group = parser.add_mutually_exclusive_group()
group.add_argument('--fasta', default=False, action='store_true', help=
'If specified, input will be treated as FASTA. This is the default.')
group.add_argument('--fastq', default=False, action='store_true', help=
'If specified, input will be treated as FASTQ.')
group.add_argument('--fasta-ss', dest='fasta_ss', default=False, action
='store_true', help=
'If specified, input will be treated as PDB FASTA (i.e., regular FASTA with each sequence followed by its structure).'
)
| addFASTACommandLineOptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser):\n parser.add_argument('--fastaFile', type=open, default=sys.stdin,\n metavar='FILENAME', help=\n 'The name of the FASTA input file. Standard input will be read if no file name is given.'\n )\n parser.add_argument('--readClass', default='DNARead', choices=\n readClassNameToClass, metavar='CLASSNAME', help=\n 'If specified, give the type of the reads in the input. Possible choices: %s.'\n % ', '.join(readClassNameToClass))\n group = parser.add_mutually_exclusive_group()\n group.add_argument('--fasta', default=False, action='store_true', help=\n 'If specified, input will be treated as FASTA. This is the default.')\n group.add_argument('--fastq', default=False, action='store_true', help=\n 'If specified, input will be treated as FASTQ.')\n group.add_argument('--fasta-ss', dest='fasta_ss', default=False, action\n ='store_true', help=\n 'If specified, input will be treated as PDB FASTA (i.e., regular FASTA with each sequence followed by its structure).'\n )\n",
"role": "user"
},
{
"content": "addFASTACommandLineOptions",
"role": "assistant"
}
] |
def x(args):
if not (args.fasta or args.fastq or args.fasta_ss):
args.fasta = True
readClass = readClassNameToClass[args.readClass]
if args.fasta:
from dark.fasta import FastaReads
return FastaReads(args.fastaFile, readClass=readClass)
elif args.fastq:
from dark.fastq import FastqReads
return FastqReads(args.fastaFile, readClass=readClass)
else:
from dark.fasta_ss import SSFastaReads
return SSFastaReads(args.fastaFile, readClass=readClass)
| parseFASTACommandLineOptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if not (args.fasta or args.fastq or args.fasta_ss):\n args.fasta = True\n readClass = readClassNameToClass[args.readClass]\n if args.fasta:\n from dark.fasta import FastaReads\n return FastaReads(args.fastaFile, readClass=readClass)\n elif args.fastq:\n from dark.fastq import FastqReads\n return FastqReads(args.fastaFile, readClass=readClass)\n else:\n from dark.fasta_ss import SSFastaReads\n return SSFastaReads(args.fastaFile, readClass=readClass)\n",
"role": "user"
},
{
"content": "parseFASTACommandLineOptions",
"role": "assistant"
}
] |
def x(self):
rc = self.reverseComplement().sequence
for reverseComplemented in (False, True):
for frame in (0, 1, 2):
seq = rc if reverseComplemented else self.sequence
suffix = seq[frame:]
lengthMod3 = len(suffix) % 3
if lengthMod3:
suffix += 'NN' if lengthMod3 == 1 else 'N'
yield TranslatedRead(self, translate(suffix), frame,
reverseComplemented)
| translations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rc = self.reverseComplement().sequence\n for reverseComplemented in (False, True):\n for frame in (0, 1, 2):\n seq = rc if reverseComplemented else self.sequence\n suffix = seq[frame:]\n lengthMod3 = len(suffix) % 3\n if lengthMod3:\n suffix += 'NN' if lengthMod3 == 1 else 'N'\n yield TranslatedRead(self, translate(suffix), frame,\n reverseComplemented)\n",
"role": "user"
},
{
"content": "translations",
"role": "assistant"
}
] |
def x(self):
quality = None if self.quality is None else self.quality[::-1]
sequence = self.sequence.translate(self.COMPLEMENT_TABLE)[::-1]
return self.__class__(self.id, sequence, quality)
| reverseComplement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n quality = None if self.quality is None else self.quality[::-1]\n sequence = self.sequence.translate(self.COMPLEMENT_TABLE)[::-1]\n return self.__class__(self.id, sequence, quality)\n",
"role": "user"
},
{
"content": "reverseComplement",
"role": "assistant"
}
] |
def x(self, count=10):
if six.PY3:
readLetters = super().checkAlphabet(count)
else:
readLetters = Read.checkAlphabet(self, count)
if len(self) > 10 and readLetters.issubset(set('ACGT')):
raise ValueError(
'It looks like a DNA sequence has been passed to AARead().')
return readLetters
| checkAlphabet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count=10):\n if six.PY3:\n readLetters = super().checkAlphabet(count)\n else:\n readLetters = Read.checkAlphabet(self, count)\n if len(self) > 10 and readLetters.issubset(set('ACGT')):\n raise ValueError(\n 'It looks like a DNA sequence has been passed to AARead().')\n return readLetters\n",
"role": "user"
},
{
"content": "checkAlphabet",
"role": "assistant"
}
] |
def x(self, openORFs=False):
if openORFs:
ORFStart = 0
inOpenORF = True
inORF = False
for index, residue in enumerate(self.sequence):
if residue == '*':
if inOpenORF:
if index:
yield AAReadORF(self, ORFStart, index, True, False)
inOpenORF = False
elif inORF:
if ORFStart != index:
yield AAReadORF(self, ORFStart, index, False, False)
inORF = False
elif residue == 'M':
if not inOpenORF and not inORF:
ORFStart = index + 1
inORF = True
length = len(self.sequence)
if inOpenORF and length > 0:
yield AAReadORF(self, ORFStart, length, True, True)
elif inORF and ORFStart < length:
yield AAReadORF(self, ORFStart, length, False, True)
else:
inORF = False
for index, residue in enumerate(self.sequence):
if residue == 'M':
if not inORF:
inORF = True
ORFStart = index + 1
elif residue == '*':
if inORF:
if not ORFStart == index:
yield AAReadORF(self, ORFStart, index, False, False)
inORF = False
| ORFs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, openORFs=False):\n if openORFs:\n ORFStart = 0\n inOpenORF = True\n inORF = False\n for index, residue in enumerate(self.sequence):\n if residue == '*':\n if inOpenORF:\n if index:\n yield AAReadORF(self, ORFStart, index, True, False)\n inOpenORF = False\n elif inORF:\n if ORFStart != index:\n yield AAReadORF(self, ORFStart, index, False, False)\n inORF = False\n elif residue == 'M':\n if not inOpenORF and not inORF:\n ORFStart = index + 1\n inORF = True\n length = len(self.sequence)\n if inOpenORF and length > 0:\n yield AAReadORF(self, ORFStart, length, True, True)\n elif inORF and ORFStart < length:\n yield AAReadORF(self, ORFStart, length, False, True)\n else:\n inORF = False\n for index, residue in enumerate(self.sequence):\n if residue == 'M':\n if not inORF:\n inORF = True\n ORFStart = index + 1\n elif residue == '*':\n if inORF:\n if not ORFStart == index:\n yield AAReadORF(self, ORFStart, index, False, False)\n inORF = False\n",
"role": "user"
},
{
"content": "ORFs",
"role": "assistant"
}
] |
def x(self):
if six.PY3:
result = super().toDict()
else:
result = AARead.toDict(self)
result.update({'start': self.start, 'stop': self.stop, 'openLeft': self
.openLeft, 'openRight': self.openRight})
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 if six.PY3:\n result = super().toDict()\n else:\n result = AARead.toDict(self)\n result.update({'start': self.start, 'stop': self.stop, 'openLeft': self\n .openLeft, 'openRight': self.openRight})\n return result\n",
"role": "user"
},
{
"content": "toDict",
"role": "assistant"
}
] |
def x(cls, d):
new = cls(AARead('', ''), 0, 0, True, True)
new.id = d['id']
new.sequence = d['sequence']
new.quality = d.get('quality')
new.start = d['start']
new.stop = d['stop']
new.openLeft = d['openLeft']
new.openRight = d['openRight']
return new
| fromDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, d):\n new = cls(AARead('', ''), 0, 0, True, True)\n new.id = d['id']\n new.sequence = d['sequence']\n new.quality = d.get('quality')\n new.start = d['start']\n new.stop = d['stop']\n new.openLeft = d['openLeft']\n new.openRight = d['openRight']\n return new\n",
"role": "user"
},
{
"content": "fromDict",
"role": "assistant"
}
] |
def x(self, format_='fasta-ss', structureSuffix=':structure'):
if format_ == 'fasta-ss':
return '>%s\n%s\n>%s%s\n%s\n' % (self.id, self.sequence, self.id,
structureSuffix, self.structure)
elif six.PY3:
return super().toString(format_=format_)
else:
return AARead.toString(self, format_=format_)
| toString | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format_='fasta-ss', structureSuffix=':structure'):\n if format_ == 'fasta-ss':\n return '>%s\\n%s\\n>%s%s\\n%s\\n' % (self.id, self.sequence, self.id,\n structureSuffix, self.structure)\n elif six.PY3:\n return super().toString(format_=format_)\n else:\n return AARead.toString(self, format_=format_)\n",
"role": "user"
},
{
"content": "toString",
"role": "assistant"
}
] |
def x(self, sites, exclude=False):
if exclude:
sites = set(range(len(self))) - sites
newSequence = []
newStructure = []
for index, (base, structure) in enumerate(zip(self.sequence, self.
structure)):
if index in sites:
newSequence.append(base)
newStructure.append(structure)
read = self.__class__(self.id, ''.join(newSequence), ''.join(newStructure))
return read
| newFromSites | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sites, exclude=False):\n if exclude:\n sites = set(range(len(self))) - sites\n newSequence = []\n newStructure = []\n for index, (base, structure) in enumerate(zip(self.sequence, self.\n structure)):\n if index in sites:\n newSequence.append(base)\n newStructure.append(structure)\n read = self.__class__(self.id, ''.join(newSequence), ''.join(newStructure))\n return read\n",
"role": "user"
},
{
"content": "newFromSites",
"role": "assistant"
}
] |
def x(self):
if six.PY3:
result = super().toDict()
else:
result = AARead.toDict(self)
result.update({'frame': self.frame, 'reverseComplemented': self.
reverseComplemented})
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 if six.PY3:\n result = super().toDict()\n else:\n result = AARead.toDict(self)\n result.update({'frame': self.frame, 'reverseComplemented': self.\n reverseComplemented})\n return result\n",
"role": "user"
},
{
"content": "toDict",
"role": "assistant"
}
] |
def x(cls, d):
new = cls(AARead('', ''), 0, True)
new.id = d['id']
new.sequence = d['sequence']
new.quality = d.get('quality')
new.frame = d['frame']
new.reverseComplemented = d['reverseComplemented']
return new
| fromDict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, d):\n new = cls(AARead('', ''), 0, True)\n new.id = d['id']\n new.sequence = d['sequence']\n new.quality = d.get('quality')\n new.frame = d['frame']\n new.reverseComplemented = d['reverseComplemented']\n return new\n",
"role": "user"
},
{
"content": "fromDict",
"role": "assistant"
}
] |
def x(self, openORFs=True):
return max(len(orf) for orf in self.ORFs(openORFs))
| maximumORFLength | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, openORFs=True):\n return max(len(orf) for orf in self.ORFs(openORFs))\n",
"role": "user"
},
{
"content": "maximumORFLength",
"role": "assistant"
}
] |
def x(self, read):
self.readIndex += 1
if self.alwaysFalse:
return False
if self.wantedSequenceNumberGeneratorExhausted:
return False
if self.nextWantedSequenceNumber is not None:
if self.readIndex + 1 == self.nextWantedSequenceNumber:
try:
self.nextWantedSequenceNumber = next(self.
wantedSequenceNumberGenerator)
except StopIteration:
self.wantedSequenceNumberGeneratorExhausted = True
else:
return False
if self.sampleFraction is not None and uniform(0.0, 1.0
) > self.sampleFraction:
return False
if self.randomSubset is not None:
if self.yieldCount == self.randomSubset:
self.alwaysFalse = True
return False
elif uniform(0.0, 1.0) > (self.randomSubset - self.yieldCount) / (self
.trueLength - self.readIndex):
return False
if self.head is not None and self.readIndex == self.head:
self.alwaysFalse = True
return False
readLen = len(read)
if (self.minLength is not None and readLen < self.minLength or self.
maxLength is not None and readLen > self.maxLength):
return False
if self.removeGaps:
if read.quality is None:
read = read.__class__(read.id, read.sequence.replace('-', ''))
else:
newSequence = []
newQuality = []
for base, quality in zip(read.sequence, read.quality):
if base != '-':
newSequence.append(base)
newQuality.append(quality)
read = read.__class__(read.id, ''.join(newSequence), ''.join(
newQuality))
if self.titleFilter and self.titleFilter.accept(read.id
) == TitleFilter.REJECT:
return False
if (self.keepSequences is not None and self.readIndex not in self.
keepSequences):
return False
if (self.removeSequences is not None and self.readIndex in self.
removeSequences):
return False
if self.removeDuplicates:
if read.sequence in self.sequencesSeen:
return False
self.sequencesSeen.add(read.sequence)
if self.removeDuplicatesById:
if read.id in self.idsSeen:
return False
self.idsSeen.add(read.id)
if self.modifier:
modified = self.modifier(read)
if modified is None:
return False
else:
read = modified
if self.keepSites is not None:
read = read.newFromSites(self.keepSites)
elif self.removeSites is not None:
read = read.newFromSites(self.removeSites, exclude=True)
if self.idLambda:
newId = self.idLambda(read.id)
if newId is None:
return False
else:
read.id = newId
if self.readLambda:
newRead = self.readLambda(read)
if newRead is None:
return False
else:
read = newRead
if self.removeDescriptions:
read.id = read.id.split()[0]
if self.reverse:
read = read.reverse()
elif self.reverseComplement:
read = read.reverseComplement()
self.yieldCount += 1
return read
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, read):\n self.readIndex += 1\n if self.alwaysFalse:\n return False\n if self.wantedSequenceNumberGeneratorExhausted:\n return False\n if self.nextWantedSequenceNumber is not None:\n if self.readIndex + 1 == self.nextWantedSequenceNumber:\n try:\n self.nextWantedSequenceNumber = next(self.\n wantedSequenceNumberGenerator)\n except StopIteration:\n self.wantedSequenceNumberGeneratorExhausted = True\n else:\n return False\n if self.sampleFraction is not None and uniform(0.0, 1.0\n ) > self.sampleFraction:\n return False\n if self.randomSubset is not None:\n if self.yieldCount == self.randomSubset:\n self.alwaysFalse = True\n return False\n elif uniform(0.0, 1.0) > (self.randomSubset - self.yieldCount) / (self\n .trueLength - self.readIndex):\n return False\n if self.head is not None and self.readIndex == self.head:\n self.alwaysFalse = True\n return False\n readLen = len(read)\n if (self.minLength is not None and readLen < self.minLength or self.\n maxLength is not None and readLen > self.maxLength):\n return False\n if self.removeGaps:\n if read.quality is None:\n read = read.__class__(read.id, read.sequence.replace('-', ''))\n else:\n newSequence = []\n newQuality = []\n for base, quality in zip(read.sequence, read.quality):\n if base != '-':\n newSequence.append(base)\n newQuality.append(quality)\n read = read.__class__(read.id, ''.join(newSequence), ''.join(\n newQuality))\n if self.titleFilter and self.titleFilter.accept(read.id\n ) == TitleFilter.REJECT:\n return False\n if (self.keepSequences is not None and self.readIndex not in self.\n keepSequences):\n return False\n if (self.removeSequences is not None and self.readIndex in self.\n removeSequences):\n return False\n if self.removeDuplicates:\n if read.sequence in self.sequencesSeen:\n return False\n self.sequencesSeen.add(read.sequence)\n if self.removeDuplicatesById:\n if read.id in self.idsSeen:\n return False\n self.idsSeen.add(read.id)\n if self.modifier:\n modified = self.modifier(read)\n if modified is None:\n return False\n else:\n read = modified\n if self.keepSites is not None:\n read = read.newFromSites(self.keepSites)\n elif self.removeSites is not None:\n read = read.newFromSites(self.removeSites, exclude=True)\n if self.idLambda:\n newId = self.idLambda(read.id)\n if newId is None:\n return False\n else:\n read.id = newId\n if self.readLambda:\n newRead = self.readLambda(read)\n if newRead is None:\n return False\n else:\n read = newRead\n if self.removeDescriptions:\n read.id = read.id.split()[0]\n if self.reverse:\n read = read.reverse()\n elif self.reverseComplement:\n read = read.reverseComplement()\n self.yieldCount += 1\n return read\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(self, read):
for filterFunc in self._filters:
filteredRead = filterFunc(read)
if filteredRead is False:
return False
else:
read = filteredRead
return read
| filterRead | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, read):\n for filterFunc in self._filters:\n filteredRead = filterFunc(read)\n if filteredRead is False:\n return False\n else:\n read = filteredRead\n return read\n",
"role": "user"
},
{
"content": "filterRead",
"role": "assistant"
}
] |
def x(self, filename, format_='fasta'):
format_ = format_.lower()
count = 0
if isinstance(filename, str):
try:
with open(filename, 'w') as fp:
for read in self:
fp.write(read.toString(format_))
count += 1
except ValueError:
unlink(filename)
raise
else:
for read in self:
filename.write(read.toString(format_))
count += 1
return count
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, format_='fasta'):\n format_ = format_.lower()\n count = 0\n if isinstance(filename, str):\n try:\n with open(filename, 'w') as fp:\n for read in self:\n fp.write(read.toString(format_))\n count += 1\n except ValueError:\n unlink(filename)\n raise\n else:\n for read in self:\n filename.write(read.toString(format_))\n count += 1\n return count\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, **kwargs):
readFilter = ReadFilter(**kwargs)
self._filters.append(readFilter.filter)
return self
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n readFilter = ReadFilter(**kwargs)\n self._filters.append(readFilter.filter)\n return self\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(self, index):
countAtPosition = Counter()
excludedCount = 0
for read in self:
try:
countAtPosition[read.sequence[index]] += 1
except IndexError:
excludedCount += 1
return {'excludedCount': excludedCount, 'countAtPosition': countAtPosition}
| summarizePosition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n countAtPosition = Counter()\n excludedCount = 0\n for read in self:\n try:\n countAtPosition[read.sequence[index]] += 1\n except IndexError:\n excludedCount += 1\n return {'excludedCount': excludedCount, 'countAtPosition': countAtPosition}\n",
"role": "user"
},
{
"content": "summarizePosition",
"role": "assistant"
}
] |
def x(self, targets, matchCase, any_):
if not matchCase:
targets = set(map(str.lower, targets))
result = set() if any_ else None
for read in self:
sequence = read.sequence if matchCase else read.sequence.lower()
matches = set(index for index, base in enumerate(sequence) if base in
targets)
if any_:
result |= matches
else:
if result is None:
result = matches
else:
result &= matches
if not result:
break
return result or set()
| sitesMatching | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targets, matchCase, any_):\n if not matchCase:\n targets = set(map(str.lower, targets))\n result = set() if any_ else None\n for read in self:\n sequence = read.sequence if matchCase else read.sequence.lower()\n matches = set(index for index, base in enumerate(sequence) if base in\n targets)\n if any_:\n result |= matches\n else:\n if result is None:\n result = matches\n else:\n result &= matches\n if not result:\n break\n return result or set()\n",
"role": "user"
},
{
"content": "sitesMatching",
"role": "assistant"
}
] |
def x(condition):
if isinstance(condition, string_types):
def x(info):
return fnmatch.fnmatch(info.filename, condition)
return smatcher
elif isinstance(condition, (list, tuple)) and isinstance(condition[0],
integer_types):
def x(info):
return info.index in condition
return imatcher
elif callable(condition):
return condition
else:
raise TypeError
| condition2checker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition):\n if isinstance(condition, string_types):\n\n def x(info):\n return fnmatch.fnmatch(info.filename, condition)\n return smatcher\n elif isinstance(condition, (list, tuple)) and isinstance(condition[0],\n integer_types):\n\n def x(info):\n return info.index in condition\n return imatcher\n elif callable(condition):\n return condition\n else:\n raise TypeError\n",
"role": "user"
},
{
"content": "condition2checker",
"role": "assistant"
}
] |
def x(self, condition='*'):
checker = condition2checker(condition)
return RarFileImplementation.read_files(self, checker)
| read_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition='*'):\n checker = condition2checker(condition)\n return RarFileImplementation.read_files(self, checker)\n",
"role": "user"
},
{
"content": "read_files",
"role": "assistant"
}
] |
def x(self, condition='*', path='.', withSubpath=True, overwrite=True):
checker = condition2checker(condition)
return RarFileImplementation.extract(self, checker, path, withSubpath,
overwrite)
| extract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition='*', path='.', withSubpath=True, overwrite=True):\n checker = condition2checker(condition)\n return RarFileImplementation.extract(self, checker, path, withSubpath,\n overwrite)\n",
"role": "user"
},
{
"content": "extract",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.