source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(cmap_file):
assert isinstance(cmap_file, str)
cm = np.loadtxt(cmap_file, delimiter='\t', dtype=np.float64)
rgb = np.int64(cm[:, 1:])
n = cm.shape[0]
colorscale = []
for i in range(n):
colorscale.append([i / float(n - 1), 'rgb(%d, %d, %d)' % (rgb[i, 0],
rgb[i, 1], rgb[i, 2])])
return colorscale
| read_colorscale | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmap_file):\n assert isinstance(cmap_file, str)\n cm = np.loadtxt(cmap_file, delimiter='\\t', dtype=np.float64)\n rgb = np.int64(cm[:, 1:])\n n = cm.shape[0]\n colorscale = []\n for i in range(n):\n colorscale.append([i / float(n - 1), 'rgb(%d, %d, %d)' % (rgb[i, 0],\n rgb[i, 1], rgb[i, 2])])\n return colorscale\n",
"role": "user"
},
{
"content": "read_colorscale",
"role": "assistant"
}
] |
def x():
global router
routings = [('GET', '^/$', index), ('GET', '^/api/?$', index), ('POST',
'^/api/1/calculate/?$', calculate.api1_calculate), ('GET',
'^/api/2/entities/?$', entities.api2_entities), ('GET',
'^/api/1/field/?$', field.api1_field), ('GET',
'^/api/1/formula/(?P<name>[^/]+)/?$', formula.api1_formula), ('GET',
'^/api/2/formula/(?:(?P<period>[A-Za-z0-9:-]*)/)?(?P<names>[A-Za-z0-9_+-]+)/?$'
, formula.api2_formula), ('GET', '^/api/1/parameters/?$',
parameters.api1_parameters), ('GET', '^/api/1/reforms/?$', reforms.
api1_reforms), ('POST', '^/api/1/simulate/?$', simulate.
api1_simulate), ('GET', '^/api/1/swagger$', swagger.api1_swagger),
('GET', '^/api/1/variables/?$', variables.api1_variables)]
router = urls.make_router(*routings)
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():\n global router\n routings = [('GET', '^/$', index), ('GET', '^/api/?$', index), ('POST',\n '^/api/1/calculate/?$', calculate.api1_calculate), ('GET',\n '^/api/2/entities/?$', entities.api2_entities), ('GET',\n '^/api/1/field/?$', field.api1_field), ('GET',\n '^/api/1/formula/(?P<name>[^/]+)/?$', formula.api1_formula), ('GET',\n '^/api/2/formula/(?:(?P<period>[A-Za-z0-9:-]*)/)?(?P<names>[A-Za-z0-9_+-]+)/?$'\n , formula.api2_formula), ('GET', '^/api/1/parameters/?$',\n parameters.api1_parameters), ('GET', '^/api/1/reforms/?$', reforms.\n api1_reforms), ('POST', '^/api/1/simulate/?$', simulate.\n api1_simulate), ('GET', '^/api/1/swagger$', swagger.api1_swagger),\n ('GET', '^/api/1/variables/?$', variables.api1_variables)]\n router = urls.make_router(*routings)\n return router\n",
"role": "user"
},
{
"content": "make_router",
"role": "assistant"
}
] |
def x(self, directory):
for root, dirs, files in os.walk(directory):
dir_path = os.path.relpath(root, directory)
if dir_path == '.':
dir_path = ''
for file_ in files:
if file_.lower().endswith('.json'):
schema_name = os.path.join(dir_path, file_)
if schema_name in self.schemas:
raise JSONSchemaDuplicate(schema_name, self.schemas[
schema_name], directory)
self.schemas[schema_name] = os.path.abspath(directory)
| register_schemas_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, directory):\n for root, dirs, files in os.walk(directory):\n dir_path = os.path.relpath(root, directory)\n if dir_path == '.':\n dir_path = ''\n for file_ in files:\n if file_.lower().endswith('.json'):\n schema_name = os.path.join(dir_path, file_)\n if schema_name in self.schemas:\n raise JSONSchemaDuplicate(schema_name, self.schemas[\n schema_name], directory)\n self.schemas[schema_name] = os.path.abspath(directory)\n",
"role": "user"
},
{
"content": "register_schemas_dir",
"role": "assistant"
}
] |
def x(self, directory, path):
self.schemas[path] = os.path.abspath(directory)
| register_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, directory, path):\n self.schemas[path] = os.path.abspath(directory)\n",
"role": "user"
},
{
"content": "register_schema",
"role": "assistant"
}
] |
def x(self, path):
if path not in self.schemas:
raise JSONSchemaNotFound(path)
return self.schemas[path]
| get_schema_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n if path not in self.schemas:\n raise JSONSchemaNotFound(path)\n return self.schemas[path]\n",
"role": "user"
},
{
"content": "get_schema_dir",
"role": "assistant"
}
] |
def x(self, path):
if path not in self.schemas:
raise JSONSchemaNotFound(path)
return os.path.join(self.schemas[path], path)
| get_schema_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n if path not in self.schemas:\n raise JSONSchemaNotFound(path)\n return os.path.join(self.schemas[path], path)\n",
"role": "user"
},
{
"content": "get_schema_path",
"role": "assistant"
}
] |
def x(self, path, with_refs=False, resolved=False):
if path not in self.schemas:
raise JSONSchemaNotFound(path)
with open(os.path.join(self.schemas[path], path)) as file_:
schema = json.load(file_)
if with_refs:
schema = JsonRef.replace_refs(schema, base_uri=request.base_url,
loader=self.loader_cls() if self.loader_cls else None)
if resolved:
schema = self.resolver_cls(schema)
return schema
| get_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, with_refs=False, resolved=False):\n if path not in self.schemas:\n raise JSONSchemaNotFound(path)\n with open(os.path.join(self.schemas[path], path)) as file_:\n schema = json.load(file_)\n if with_refs:\n schema = JsonRef.replace_refs(schema, base_uri=request.base_url,\n loader=self.loader_cls() if self.loader_cls else None)\n if resolved:\n schema = self.resolver_cls(schema)\n return schema\n",
"role": "user"
},
{
"content": "get_schema",
"role": "assistant"
}
] |
def x(self, url):
parts = urlsplit(url)
try:
loader, args = self.url_map.bind(parts.netloc).match(parts.path)
path = args.get('path')
if loader == 'schema' and path in self.schemas:
return path
except HTTPException:
return None
| url_to_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n parts = urlsplit(url)\n try:\n loader, args = self.url_map.bind(parts.netloc).match(parts.path)\n path = args.get('path')\n if loader == 'schema' and path in self.schemas:\n return path\n except HTTPException:\n return None\n",
"role": "user"
},
{
"content": "url_to_path",
"role": "assistant"
}
] |
def x(self, path):
if path not in self.schemas:
return None
return self.url_map.bind(self.app.config['JSONSCHEMAS_HOST'],
url_scheme=self.app.config['JSONSCHEMAS_URL_SCHEME']).build('schema',
values={'path': path}, force_external=True)
| path_to_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n if path not in self.schemas:\n return None\n return self.url_map.bind(self.app.config['JSONSCHEMAS_HOST'],\n url_scheme=self.app.config['JSONSCHEMAS_URL_SCHEME']).build('schema',\n values={'path': path}, force_external=True)\n",
"role": "user"
},
{
"content": "path_to_url",
"role": "assistant"
}
] |
def x(self):
cls = self.app.config['JSONSCHEMAS_LOADER_CLS']
if isinstance(cls, six.string_types):
return import_string(cls)
return cls
| loader_cls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cls = self.app.config['JSONSCHEMAS_LOADER_CLS']\n if isinstance(cls, six.string_types):\n return import_string(cls)\n return cls\n",
"role": "user"
},
{
"content": "loader_cls",
"role": "assistant"
}
] |
def x(self, app, entry_point_group=None, register_blueprint=True,
register_config_blueprint=None):
self.init_config(app)
if not entry_point_group:
entry_point_group = (self.kwargs['entry_point_group'] if
'entry_point_group' in self.kwargs else
'invenio_jsonschemas.schemas')
state = InvenioJSONSchemasState(app)
if entry_point_group:
for base_entry in pkg_resources.iter_entry_points(entry_point_group):
directory = os.path.dirname(base_entry.load().__file__)
state.register_schemas_dir(directory)
_register_blueprint = app.config.get(register_config_blueprint)
if _register_blueprint is not None:
register_blueprint = _register_blueprint
if register_blueprint:
app.register_blueprint(create_blueprint(state), url_prefix=app.
config['JSONSCHEMAS_ENDPOINT'])
self._state = app.extensions['invenio-jsonschemas'] = state
return state
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, entry_point_group=None, register_blueprint=True,\n register_config_blueprint=None):\n self.init_config(app)\n if not entry_point_group:\n entry_point_group = (self.kwargs['entry_point_group'] if \n 'entry_point_group' in self.kwargs else\n 'invenio_jsonschemas.schemas')\n state = InvenioJSONSchemasState(app)\n if entry_point_group:\n for base_entry in pkg_resources.iter_entry_points(entry_point_group):\n directory = os.path.dirname(base_entry.load().__file__)\n state.register_schemas_dir(directory)\n _register_blueprint = app.config.get(register_config_blueprint)\n if _register_blueprint is not None:\n register_blueprint = _register_blueprint\n if register_blueprint:\n app.register_blueprint(create_blueprint(state), url_prefix=app.\n config['JSONSCHEMAS_ENDPOINT'])\n self._state = app.extensions['invenio-jsonschemas'] = state\n return state\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, app):
for k in dir(config):
if k.startswith('JSONSCHEMAS_'):
app.config.setdefault(k, getattr(config, k))
host_setting = app.config['JSONSCHEMAS_HOST']
if not host_setting or host_setting == 'localhost':
app.logger.warning('JSONSCHEMAS_HOST is set to {0}'.format(
host_setting))
| init_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n for k in dir(config):\n if k.startswith('JSONSCHEMAS_'):\n app.config.setdefault(k, getattr(config, k))\n host_setting = app.config['JSONSCHEMAS_HOST']\n if not host_setting or host_setting == 'localhost':\n app.logger.warning('JSONSCHEMAS_HOST is set to {0}'.format(\n host_setting))\n",
"role": "user"
},
{
"content": "init_config",
"role": "assistant"
}
] |
def x(titlesAlignments, sortOn='maxScore', idList=False, equalizeXAxes=
False, xRange='subject', logLinearXAxis=False, rankScores=False,
showFeatures=True, logBase=DEFAULT_LOG_LINEAR_X_AXIS_BASE):
if xRange not in ('subject', 'reads'):
raise ValueError('xRange must be either "subject" or "reads".')
start = time()
titles = titlesAlignments.sortTitles(sortOn)
cols = 5
rows = int(len(titles) / cols) + (0 if len(titles) % cols == 0 else 1)
figure, ax = plt.subplots(rows, cols, squeeze=False)
allGraphInfo = {}
coords = dimensionalIterator((rows, cols))
report('Plotting %d titles in %dx%d grid, sorted on %s' % (len(titles),
rows, cols, sortOn))
for i, title in enumerate(titles):
titleAlignments = titlesAlignments[title]
row, col = next(coords)
report('%d: %s %s' % (i, title, NCBISequenceLinkURL(title, '')))
graphInfo = alignmentGraph(titlesAlignments, title, addQueryLines=
True, showFeatures=showFeatures, rankScores=rankScores,
logLinearXAxis=logLinearXAxis, logBase=logBase, colorQueryBases
=False, createFigure=False, showFigure=False, readsAx=ax[row][
col], quiet=True, idList=idList, xRange=xRange, showOrfs=False)
allGraphInfo[title] = graphInfo
readCount = titleAlignments.readCount()
hspCount = titleAlignments.hspCount()
if title.startswith('gi|') and title.find(' ') > -1:
shortTitle = title.split(' ', 1)[1][:40]
else:
shortTitle = title[:40]
plotTitle = '%d: %s\nLength %d, %d read%s, %d HSP%s.' % (i,
shortTitle, titleAlignments.subjectLength, readCount, '' if
readCount == 1 else 's', hspCount, '' if hspCount == 1 else 's')
if hspCount:
if rankScores:
plotTitle += '\nY axis is ranked score'
else:
plotTitle += '\nmax %.2f, median %.2f' % (titleAlignments.
bestHsp().score.score, titleAlignments.medianScore())
ax[row][col].set_title(plotTitle, fontsize=10)
maxX = max(graphInfo['maxX'] for graphInfo in allGraphInfo.values())
minX = min(graphInfo['minX'] for graphInfo in allGraphInfo.values())
maxY = max(graphInfo['maxY'] for graphInfo in allGraphInfo.values())
minY = min(graphInfo['minY'] for graphInfo in allGraphInfo.values())
coords = dimensionalIterator((rows, cols))
for title in titles:
titleAlignments = titlesAlignments[title]
row, col = next(coords)
a = ax[row][col]
a.set_ylim([0, int(maxY * Y_AXIS_UPPER_PADDING)])
if equalizeXAxes:
a.set_xlim([minX, maxX])
a.set_yticks([])
a.set_xticks([])
if xRange == 'subject' and minX < 0:
a.axvline(x=0, color='#cccccc')
sequenceLen = titleAlignments.subjectLength
if logLinearXAxis:
sequenceLen = allGraphInfo[title]['adjustOffset'](sequenceLen)
a.axvline(x=sequenceLen, color='#cccccc')
for row, col in coords:
ax[row][col].axis('off')
plt.subplots_adjust(hspace=0.4)
figure.suptitle('X: %d to %d, Y (%s): %d to %d' % (minX, maxX,
titlesAlignments.readsAlignments.params.scoreTitle, int(minY), int(
maxY)), fontsize=20)
figure.set_size_inches(5 * cols, 3 * rows, forward=True)
figure.show()
stop = time()
report('Alignment panel generated in %.3f mins.' % ((stop - start) / 60.0))
| alignmentPanel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(titlesAlignments, sortOn='maxScore', idList=False, equalizeXAxes=\n False, xRange='subject', logLinearXAxis=False, rankScores=False,\n showFeatures=True, logBase=DEFAULT_LOG_LINEAR_X_AXIS_BASE):\n if xRange not in ('subject', 'reads'):\n raise ValueError('xRange must be either \"subject\" or \"reads\".')\n start = time()\n titles = titlesAlignments.sortTitles(sortOn)\n cols = 5\n rows = int(len(titles) / cols) + (0 if len(titles) % cols == 0 else 1)\n figure, ax = plt.subplots(rows, cols, squeeze=False)\n allGraphInfo = {}\n coords = dimensionalIterator((rows, cols))\n report('Plotting %d titles in %dx%d grid, sorted on %s' % (len(titles),\n rows, cols, sortOn))\n for i, title in enumerate(titles):\n titleAlignments = titlesAlignments[title]\n row, col = next(coords)\n report('%d: %s %s' % (i, title, NCBISequenceLinkURL(title, '')))\n graphInfo = alignmentGraph(titlesAlignments, title, addQueryLines=\n True, showFeatures=showFeatures, rankScores=rankScores,\n logLinearXAxis=logLinearXAxis, logBase=logBase, colorQueryBases\n =False, createFigure=False, showFigure=False, readsAx=ax[row][\n col], quiet=True, idList=idList, xRange=xRange, showOrfs=False)\n allGraphInfo[title] = graphInfo\n readCount = titleAlignments.readCount()\n hspCount = titleAlignments.hspCount()\n if title.startswith('gi|') and title.find(' ') > -1:\n shortTitle = title.split(' ', 1)[1][:40]\n else:\n shortTitle = title[:40]\n plotTitle = '%d: %s\\nLength %d, %d read%s, %d HSP%s.' % (i,\n shortTitle, titleAlignments.subjectLength, readCount, '' if \n readCount == 1 else 's', hspCount, '' if hspCount == 1 else 's')\n if hspCount:\n if rankScores:\n plotTitle += '\\nY axis is ranked score'\n else:\n plotTitle += '\\nmax %.2f, median %.2f' % (titleAlignments.\n bestHsp().score.score, titleAlignments.medianScore())\n ax[row][col].set_title(plotTitle, fontsize=10)\n maxX = max(graphInfo['maxX'] for graphInfo in allGraphInfo.values())\n minX = min(graphInfo['minX'] for graphInfo in allGraphInfo.values())\n maxY = max(graphInfo['maxY'] for graphInfo in allGraphInfo.values())\n minY = min(graphInfo['minY'] for graphInfo in allGraphInfo.values())\n coords = dimensionalIterator((rows, cols))\n for title in titles:\n titleAlignments = titlesAlignments[title]\n row, col = next(coords)\n a = ax[row][col]\n a.set_ylim([0, int(maxY * Y_AXIS_UPPER_PADDING)])\n if equalizeXAxes:\n a.set_xlim([minX, maxX])\n a.set_yticks([])\n a.set_xticks([])\n if xRange == 'subject' and minX < 0:\n a.axvline(x=0, color='#cccccc')\n sequenceLen = titleAlignments.subjectLength\n if logLinearXAxis:\n sequenceLen = allGraphInfo[title]['adjustOffset'](sequenceLen)\n a.axvline(x=sequenceLen, color='#cccccc')\n for row, col in coords:\n ax[row][col].axis('off')\n plt.subplots_adjust(hspace=0.4)\n figure.suptitle('X: %d to %d, Y (%s): %d to %d' % (minX, maxX,\n titlesAlignments.readsAlignments.params.scoreTitle, int(minY), int(\n maxY)), fontsize=20)\n figure.set_size_inches(5 * cols, 3 * rows, forward=True)\n figure.show()\n stop = time()\n report('Alignment panel generated in %.3f mins.' % ((stop - start) / 60.0))\n",
"role": "user"
},
{
"content": "alignmentPanel",
"role": "assistant"
}
] |
def x(titlesAlignments, sortOn='maxScore', outputDir=None, idList=False,
equalizeXAxes=False, xRange='subject', logLinearXAxis=False, logBase=
DEFAULT_LOG_LINEAR_X_AXIS_BASE, rankScores=False, showFeatures=True,
showOrfs=True):
if xRange not in ('subject', 'reads'):
raise ValueError('xRange must be either "subject" or "reads".')
if equalizeXAxes:
raise NotImplementedError('This feature is not yet implemented.')
titles = titlesAlignments.sortTitles(sortOn)
if os.access(outputDir, os.F_OK):
if not S_ISDIR(os.stat(outputDir).st_mode):
raise ValueError('%r is not a directory.' % outputDir)
elif outputDir is None:
raise ValueError('The outputDir needs to be specified.')
else:
os.mkdir(outputDir)
htmlWriter = AlignmentPanelHTMLWriter(outputDir, titlesAlignments)
for i, title in enumerate(titles):
imageBasename = '%d.png' % i
imageFile = '%s/%s' % (outputDir, imageBasename)
graphInfo = alignmentGraph(titlesAlignments, title, addQueryLines=
True, showFeatures=showFeatures, rankScores=rankScores,
logLinearXAxis=logLinearXAxis, logBase=logBase, colorQueryBases
=False, showFigure=False, imageFile=imageFile, quiet=True,
idList=idList, xRange=xRange, showOrfs=showOrfs)
plt.close()
htmlWriter.addImage(imageBasename, title, graphInfo)
htmlWriter.close()
| alignmentPanelHTML | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(titlesAlignments, sortOn='maxScore', outputDir=None, idList=False,\n equalizeXAxes=False, xRange='subject', logLinearXAxis=False, logBase=\n DEFAULT_LOG_LINEAR_X_AXIS_BASE, rankScores=False, showFeatures=True,\n showOrfs=True):\n if xRange not in ('subject', 'reads'):\n raise ValueError('xRange must be either \"subject\" or \"reads\".')\n if equalizeXAxes:\n raise NotImplementedError('This feature is not yet implemented.')\n titles = titlesAlignments.sortTitles(sortOn)\n if os.access(outputDir, os.F_OK):\n if not S_ISDIR(os.stat(outputDir).st_mode):\n raise ValueError('%r is not a directory.' % outputDir)\n elif outputDir is None:\n raise ValueError('The outputDir needs to be specified.')\n else:\n os.mkdir(outputDir)\n htmlWriter = AlignmentPanelHTMLWriter(outputDir, titlesAlignments)\n for i, title in enumerate(titles):\n imageBasename = '%d.png' % i\n imageFile = '%s/%s' % (outputDir, imageBasename)\n graphInfo = alignmentGraph(titlesAlignments, title, addQueryLines=\n True, showFeatures=showFeatures, rankScores=rankScores,\n logLinearXAxis=logLinearXAxis, logBase=logBase, colorQueryBases\n =False, showFigure=False, imageFile=imageFile, quiet=True,\n idList=idList, xRange=xRange, showOrfs=showOrfs)\n plt.close()\n htmlWriter.addImage(imageBasename, title, graphInfo)\n htmlWriter.close()\n",
"role": "user"
},
{
"content": "alignmentPanelHTML",
"role": "assistant"
}
] |
def x(titlesAlignments, find=None, showTitles=False, figureWidth=5,
figureHeight=5):
maxScore = None
maxHsps = 0
cols = 5
rows = int(len(titlesAlignments) / cols) + (0 if len(titlesAlignments) %
cols == 0 else 1)
f, ax = plt.subplots(rows, cols)
coords = dimensionalIterator((rows, cols))
for title in titlesAlignments:
titleAlignments = titlesAlignments[title]
row, col = next(coords)
hspCount = titleAlignments.hspCount()
if hspCount > maxHsps:
maxHsps = hspCount
scores = []
highlightX = []
highlightY = []
for x, titleAlignment in enumerate(titleAlignments):
score = titleAlignment.hsps[0].score.score
scores.append(score)
if find and find(titleAlignment.subjectTitle):
highlightX.append(x)
highlightY.append(score)
a = ax[row][col]
if scores:
max_ = max(scores)
if maxScore is None or max_ > maxScore:
maxScore = max_
x = np.arange(0, len(scores))
a.plot(x, scores)
if highlightX:
a.plot(highlightX, highlightY, 'ro')
if showTitles:
a.set_title('%s' % title, fontsize=10)
coords = dimensionalIterator((rows, cols))
for _ in range(len(titlesAlignments)):
row, col = next(coords)
a = ax[row][col]
a.axis([0, maxHsps, 0, maxScore])
a.set_yticks([])
a.set_xticks([])
for row, col in coords:
ax[row][col].axis('off')
plt.subplots_adjust(left=0.01, bottom=0.01, right=0.99, top=0.93,
wspace=0.1, hspace=None)
f.suptitle('max HSPs %d, max score %f' % (maxHsps, maxScore))
f.set_size_inches(figureWidth, figureHeight, forward=True)
plt.show()
| scoreGraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(titlesAlignments, find=None, showTitles=False, figureWidth=5,\n figureHeight=5):\n maxScore = None\n maxHsps = 0\n cols = 5\n rows = int(len(titlesAlignments) / cols) + (0 if len(titlesAlignments) %\n cols == 0 else 1)\n f, ax = plt.subplots(rows, cols)\n coords = dimensionalIterator((rows, cols))\n for title in titlesAlignments:\n titleAlignments = titlesAlignments[title]\n row, col = next(coords)\n hspCount = titleAlignments.hspCount()\n if hspCount > maxHsps:\n maxHsps = hspCount\n scores = []\n highlightX = []\n highlightY = []\n for x, titleAlignment in enumerate(titleAlignments):\n score = titleAlignment.hsps[0].score.score\n scores.append(score)\n if find and find(titleAlignment.subjectTitle):\n highlightX.append(x)\n highlightY.append(score)\n a = ax[row][col]\n if scores:\n max_ = max(scores)\n if maxScore is None or max_ > maxScore:\n maxScore = max_\n x = np.arange(0, len(scores))\n a.plot(x, scores)\n if highlightX:\n a.plot(highlightX, highlightY, 'ro')\n if showTitles:\n a.set_title('%s' % title, fontsize=10)\n coords = dimensionalIterator((rows, cols))\n for _ in range(len(titlesAlignments)):\n row, col = next(coords)\n a = ax[row][col]\n a.axis([0, maxHsps, 0, maxScore])\n a.set_yticks([])\n a.set_xticks([])\n for row, col in coords:\n ax[row][col].axis('off')\n plt.subplots_adjust(left=0.01, bottom=0.01, right=0.99, top=0.93,\n wspace=0.1, hspace=None)\n f.suptitle('max HSPs %d, max score %f' % (maxHsps, maxScore))\n f.set_size_inches(figureWidth, figureHeight, forward=True)\n plt.show()\n",
"role": "user"
},
{
"content": "scoreGraph",
"role": "assistant"
}
] |
def x(seq1, seq2, window=7):
d1 = defaultdict(list)
d2 = defaultdict(list)
for seq, section_dict in [(seq1, d1), (seq2, d2)]:
for i in range(len(seq) - window):
section = seq[i:i + window]
section_dict[section].append(i)
matches = set(d1).intersection(d2)
print('%i unique matches' % len(matches))
x = []
y = []
for section in matches:
for i in d1[section]:
for j in d2[section]:
x.append(i)
y.append(j)
plt.gray()
plt.scatter(x, y)
plt.xlim(0, len(seq1) - window)
plt.ylim(0, len(seq2) - window)
plt.xlabel('length %i bp' % len(seq1))
plt.ylabel('length %i bp' % len(seq2))
plt.title('Dot plot using window size %i\n(allowing no mis-matches)' %
window)
plt.show()
| scatterAlign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1, seq2, window=7):\n d1 = defaultdict(list)\n d2 = defaultdict(list)\n for seq, section_dict in [(seq1, d1), (seq2, d2)]:\n for i in range(len(seq) - window):\n section = seq[i:i + window]\n section_dict[section].append(i)\n matches = set(d1).intersection(d2)\n print('%i unique matches' % len(matches))\n x = []\n y = []\n for section in matches:\n for i in d1[section]:\n for j in d2[section]:\n x.append(i)\n y.append(j)\n plt.gray()\n plt.scatter(x, y)\n plt.xlim(0, len(seq1) - window)\n plt.ylim(0, len(seq2) - window)\n plt.xlabel('length %i bp' % len(seq1))\n plt.ylabel('length %i bp' % len(seq2))\n plt.title('Dot plot using window size %i\\n(allowing no mis-matches)' %\n window)\n plt.show()\n",
"role": "user"
},
{
"content": "scatterAlign",
"role": "assistant"
}
] |
def x(sequence, propertyNames, showLines=True, showFigure=True):
MISSING_AA_VALUE = -1.1
propertyValues = propertiesForSequence(sequence, propertyNames,
missingAAValue=MISSING_AA_VALUE)
if showFigure:
legend = []
x = np.arange(0, len(sequence))
plot = plt.plot if showLines else plt.scatter
for index, propertyName in enumerate(propertyValues):
color = TABLEAU20[index]
plot(x, propertyValues[propertyName], color=color)
legend.append(patches.Patch(color=color, label=propertyName))
plt.legend(handles=legend, loc=(0, 1.1))
plt.xlim(-0.2, len(sequence) - 0.8)
plt.ylim(min(MISSING_AA_VALUE, -1.1), 1.1)
plt.xlabel('Sequence index')
plt.ylabel('Property value')
plt.title(sequence.id)
plt.show()
return propertyValues
| plotAAProperties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence, propertyNames, showLines=True, showFigure=True):\n MISSING_AA_VALUE = -1.1\n propertyValues = propertiesForSequence(sequence, propertyNames,\n missingAAValue=MISSING_AA_VALUE)\n if showFigure:\n legend = []\n x = np.arange(0, len(sequence))\n plot = plt.plot if showLines else plt.scatter\n for index, propertyName in enumerate(propertyValues):\n color = TABLEAU20[index]\n plot(x, propertyValues[propertyName], color=color)\n legend.append(patches.Patch(color=color, label=propertyName))\n plt.legend(handles=legend, loc=(0, 1.1))\n plt.xlim(-0.2, len(sequence) - 0.8)\n plt.ylim(min(MISSING_AA_VALUE, -1.1), 1.1)\n plt.xlabel('Sequence index')\n plt.ylabel('Property value')\n plt.title(sequence.id)\n plt.show()\n return propertyValues\n",
"role": "user"
},
{
"content": "plotAAProperties",
"role": "assistant"
}
] |
def x(sequence, propertyNames, showLines=True, showFigure=True):
MISSING_AA_VALUE = 0
propertyClusters = clustersForSequence(sequence, propertyNames,
missingAAValue=MISSING_AA_VALUE)
if showFigure:
minCluster = 1
maxCluster = -1
legend = []
x = np.arange(0, len(sequence))
plot = plt.plot if showLines else plt.scatter
for index, propertyName in enumerate(propertyClusters):
color = TABLEAU20[index]
clusterNumbers = propertyClusters[propertyName]
plot(x, clusterNumbers, color=color)
legend.append(patches.Patch(color=color, label=propertyName))
propertyMinCluster = min(clusterNumbers)
if propertyMinCluster < minCluster:
minCluster = propertyMinCluster
propertyMaxCluster = max(clusterNumbers)
if propertyMaxCluster > maxCluster:
maxCluster = propertyMaxCluster
plt.legend(handles=legend, loc=(0, 1.1))
plt.xlim(-0.2, len(sequence) - 0.8)
plt.ylim(minCluster - 0.5, maxCluster + 0.5)
plt.yticks(range(maxCluster + 1))
plt.xlabel('Sequence index')
plt.ylabel('Property cluster number')
plt.title(sequence.id)
plt.show()
return propertyClusters
| plotAAClusters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence, propertyNames, showLines=True, showFigure=True):\n MISSING_AA_VALUE = 0\n propertyClusters = clustersForSequence(sequence, propertyNames,\n missingAAValue=MISSING_AA_VALUE)\n if showFigure:\n minCluster = 1\n maxCluster = -1\n legend = []\n x = np.arange(0, len(sequence))\n plot = plt.plot if showLines else plt.scatter\n for index, propertyName in enumerate(propertyClusters):\n color = TABLEAU20[index]\n clusterNumbers = propertyClusters[propertyName]\n plot(x, clusterNumbers, color=color)\n legend.append(patches.Patch(color=color, label=propertyName))\n propertyMinCluster = min(clusterNumbers)\n if propertyMinCluster < minCluster:\n minCluster = propertyMinCluster\n propertyMaxCluster = max(clusterNumbers)\n if propertyMaxCluster > maxCluster:\n maxCluster = propertyMaxCluster\n plt.legend(handles=legend, loc=(0, 1.1))\n plt.xlim(-0.2, len(sequence) - 0.8)\n plt.ylim(minCluster - 0.5, maxCluster + 0.5)\n plt.yticks(range(maxCluster + 1))\n plt.xlabel('Sequence index')\n plt.ylabel('Property cluster number')\n plt.title(sequence.id)\n plt.show()\n return propertyClusters\n",
"role": "user"
},
{
"content": "plotAAClusters",
"role": "assistant"
}
] |
def x(bv_di, bv_do, REVERSE=True):
BITS = len(bv_di)
assert BITS % 8 == 0, 'byteorder: expects len(bv_in)=8*x, but len(bv_in)={}'.format(
BITS)
if REVERSE:
BYTES = BITS // 8
y = ConcatSignal(*[bv_di(8 * (b + 1), 8 * b) for b in range(BYTES)])
@always_comb
def x():
bv_do.next = y
else:
@always_comb
def x():
bv_do.next = bv_di
return instances()
| byteorder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bv_di, bv_do, REVERSE=True):\n BITS = len(bv_di)\n assert BITS % 8 == 0, 'byteorder: expects len(bv_in)=8*x, but len(bv_in)={}'.format(\n BITS)\n if REVERSE:\n BYTES = BITS // 8\n y = ConcatSignal(*[bv_di(8 * (b + 1), 8 * b) for b in range(BYTES)])\n\n @always_comb\n def x():\n bv_do.next = y\n else:\n\n @always_comb\n def x():\n bv_do.next = bv_di\n return instances()\n",
"role": "user"
},
{
"content": "byteorder",
"role": "assistant"
}
] |
def x(tasks, execute, wait=None, store=TaskStore()):
completed = set()
failed = set()
exceptions = []
def x(task):
args = []
kwargs = {}
for arg in task.args:
if isinstance(arg, Task):
args.append(store.get(arg.name))
else:
args.append(arg)
for key in task.kwargs:
if isinstance(task.kwargs[key], Task):
kwargs[key] = store.get(task.kwargs[key].name)
else:
kwargs[key] = task.kwargs[key]
return args, kwargs
def x(scheduler, result):
store.put(result.name, result.data)
scheduler.end_task(result.name, result.successful)
if result.exception:
exceptions.append(result.exception)
with Scheduler(tasks, completed=completed, failed=failed) as scheduler:
while not scheduler.is_finished():
task = scheduler.start_task()
while task is not None:
args, kwargs = collect(task)
func = partial(task.function, *args, **kwargs)
if task.handler:
func = partial(task.handler, func)
result = execute(func, task.name)
if result:
complete(scheduler, result)
task = scheduler.start_task()
if wait:
for result in wait():
complete(scheduler, result)
return Results(completed, failed, exceptions)
| task_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tasks, execute, wait=None, store=TaskStore()):\n completed = set()\n failed = set()\n exceptions = []\n\n def x(task):\n args = []\n kwargs = {}\n for arg in task.args:\n if isinstance(arg, Task):\n args.append(store.get(arg.name))\n else:\n args.append(arg)\n for key in task.kwargs:\n if isinstance(task.kwargs[key], Task):\n kwargs[key] = store.get(task.kwargs[key].name)\n else:\n kwargs[key] = task.kwargs[key]\n return args, kwargs\n\n def x(scheduler, result):\n store.put(result.name, result.data)\n scheduler.end_task(result.name, result.successful)\n if result.exception:\n exceptions.append(result.exception)\n with Scheduler(tasks, completed=completed, failed=failed) as scheduler:\n while not scheduler.is_finished():\n task = scheduler.start_task()\n while task is not None:\n args, kwargs = collect(task)\n func = partial(task.function, *args, **kwargs)\n if task.handler:\n func = partial(task.handler, func)\n result = execute(func, task.name)\n if result:\n complete(scheduler, result)\n task = scheduler.start_task()\n if wait:\n for result in wait():\n complete(scheduler, result)\n return Results(completed, failed, exceptions)\n",
"role": "user"
},
{
"content": "task_loop",
"role": "assistant"
}
] |
def x(s):
aa = find(s)
if aa:
return aa
else:
print('Unknown amino acid or codon: %s' % s, file=sys.stderr)
print('Valid arguments are: %s.' % list(CODONS.keys()), file=sys.stderr
)
sys.exit(1)
| findOrDie | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n aa = find(s)\n if aa:\n return aa\n else:\n print('Unknown amino acid or codon: %s' % s, file=sys.stderr)\n print('Valid arguments are: %s.' % list(CODONS.keys()), file=sys.stderr\n )\n sys.exit(1)\n",
"role": "user"
},
{
"content": "findOrDie",
"role": "assistant"
}
] |
def x(url, download_file, overwrite=False, raise_http_exception=True):
assert isinstance(url, (str, _oldstr))
assert isinstance(download_file, (str, _oldstr))
assert isinstance(overwrite, bool)
assert isinstance(raise_http_exception, bool)
u = urlparse.urlparse(url)
assert u.scheme in ['http', 'https']
if os.path.isfile(download_file) and not overwrite:
raise OSError('File "%s" already exists!' % download_file)
r = requests.get(url, stream=True)
if raise_http_exception:
r.raise_for_status()
if r.status_code == 200:
with open(download_file, 'wb') as fh:
r.raw.decode_content = True
shutil.copyfileobj(r.raw, fh)
_logger.info('Downloaded file "%s".', download_file)
else:
_logger.error('Failed to download url "%s": HTTP status %d/%s', url,
r.status_code, r.reason)
| http_download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, download_file, overwrite=False, raise_http_exception=True):\n assert isinstance(url, (str, _oldstr))\n assert isinstance(download_file, (str, _oldstr))\n assert isinstance(overwrite, bool)\n assert isinstance(raise_http_exception, bool)\n u = urlparse.urlparse(url)\n assert u.scheme in ['http', 'https']\n if os.path.isfile(download_file) and not overwrite:\n raise OSError('File \"%s\" already exists!' % download_file)\n r = requests.get(url, stream=True)\n if raise_http_exception:\n r.raise_for_status()\n if r.status_code == 200:\n with open(download_file, 'wb') as fh:\n r.raw.decode_content = True\n shutil.copyfileobj(r.raw, fh)\n _logger.info('Downloaded file \"%s\".', download_file)\n else:\n _logger.error('Failed to download url \"%s\": HTTP status %d/%s', url,\n r.status_code, r.reason)\n",
"role": "user"
},
{
"content": "http_download",
"role": "assistant"
}
] |
def x(url, download_file, if_exists='error', user_name='anonymous',
password='', blocksize=4194304):
assert isinstance(url, (str, _oldstr))
assert isinstance(download_file, (str, _oldstr))
assert isinstance(if_exists, (str, _oldstr))
assert isinstance(user_name, (str, _oldstr))
assert isinstance(password, (str, _oldstr))
u = urlparse.urlparse(url)
assert u.scheme == 'ftp'
if if_exists not in ['error', 'skip', 'overwrite']:
raise ValueError(
'"if_exists" must be "error", "skip", or "overwrite" (was: "%s").',
str(if_exists))
if os.path.isfile(download_file):
if if_exists == 'error':
raise OSError('File "%s" already exists.' % download_file)
elif if_exists == 'skip':
_logger.warning('File "%s" already exists. Skipping...',
download_file)
return
else:
_logger.warning('Overwriting file "%s"...', download_file)
ftp_server = u.netloc
ftp_path = u.path
if six.PY3:
with ftplib.FTP(ftp_server) as ftp:
ftp.login(user_name, password)
with open(download_file, 'wb') as ofh:
ftp.retrbinary('RETR %s' % ftp_path, callback=ofh.write,
blocksize=blocksize)
else:
ftp = ftplib.FTP(ftp_server)
ftp.login(user_name, password)
with open(download_file, 'wb') as ofh:
ftp.retrbinary('RETR %s' % ftp_path, callback=ofh.write,
blocksize=blocksize)
ftp.close()
_logger.info('Downloaded file "%s" over FTP.', download_file)
| ftp_download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, download_file, if_exists='error', user_name='anonymous',\n password='', blocksize=4194304):\n assert isinstance(url, (str, _oldstr))\n assert isinstance(download_file, (str, _oldstr))\n assert isinstance(if_exists, (str, _oldstr))\n assert isinstance(user_name, (str, _oldstr))\n assert isinstance(password, (str, _oldstr))\n u = urlparse.urlparse(url)\n assert u.scheme == 'ftp'\n if if_exists not in ['error', 'skip', 'overwrite']:\n raise ValueError(\n '\"if_exists\" must be \"error\", \"skip\", or \"overwrite\" (was: \"%s\").',\n str(if_exists))\n if os.path.isfile(download_file):\n if if_exists == 'error':\n raise OSError('File \"%s\" already exists.' % download_file)\n elif if_exists == 'skip':\n _logger.warning('File \"%s\" already exists. Skipping...',\n download_file)\n return\n else:\n _logger.warning('Overwriting file \"%s\"...', download_file)\n ftp_server = u.netloc\n ftp_path = u.path\n if six.PY3:\n with ftplib.FTP(ftp_server) as ftp:\n ftp.login(user_name, password)\n with open(download_file, 'wb') as ofh:\n ftp.retrbinary('RETR %s' % ftp_path, callback=ofh.write,\n blocksize=blocksize)\n else:\n ftp = ftplib.FTP(ftp_server)\n ftp.login(user_name, password)\n with open(download_file, 'wb') as ofh:\n ftp.retrbinary('RETR %s' % ftp_path, callback=ofh.write,\n blocksize=blocksize)\n ftp.close()\n _logger.info('Downloaded file \"%s\" over FTP.', download_file)\n",
"role": "user"
},
{
"content": "ftp_download",
"role": "assistant"
}
] |
def x(species, release=None, ftp=None):
assert isinstance(species, (str, _oldstr))
if release is not None:
assert isinstance(release, int)
if ftp is not None:
assert isinstance(ftp, ftplib.FTP)
close_connection = False
if ftp is None:
ftp_server = 'ftp.ensembl.org'
ftp_user = 'anonymous'
ftp = ftplib.FTP(ftp_server)
ftp.login(ftp_user)
close_connection = True
if release is None:
release = util.get_latest_release(ftp=ftp)
fasta_dir = '/pub/release-%d/fasta' % release
ftp.cwd(fasta_dir)
if not species in ftp.nlst():
logger.error('Species "%s" not found on Ensembl FTP server.', species)
fasta_url = 'ftp://%s%s' % (ftp_server, fasta_dir)
raise ValueError(
'Species "%s" not found. See %s for a list of species available.' %
(species, fasta_url))
cdna_dir = '/pub/release-%d/fasta/%s/cdna' % (release, species)
ftp.cwd(cdna_dir)
files = ftp.nlst()
cdna_file = [f for f in files if f.endswith('.cdna.all.fa.gz')][0]
cdna_url = 'ftp://%s%s/%s' % (ftp_server, cdna_dir, cdna_file)
if close_connection:
ftp.close()
return cdna_url
| get_cdna_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(species, release=None, ftp=None):\n assert isinstance(species, (str, _oldstr))\n if release is not None:\n assert isinstance(release, int)\n if ftp is not None:\n assert isinstance(ftp, ftplib.FTP)\n close_connection = False\n if ftp is None:\n ftp_server = 'ftp.ensembl.org'\n ftp_user = 'anonymous'\n ftp = ftplib.FTP(ftp_server)\n ftp.login(ftp_user)\n close_connection = True\n if release is None:\n release = util.get_latest_release(ftp=ftp)\n fasta_dir = '/pub/release-%d/fasta' % release\n ftp.cwd(fasta_dir)\n if not species in ftp.nlst():\n logger.error('Species \"%s\" not found on Ensembl FTP server.', species)\n fasta_url = 'ftp://%s%s' % (ftp_server, fasta_dir)\n raise ValueError(\n 'Species \"%s\" not found. See %s for a list of species available.' %\n (species, fasta_url))\n cdna_dir = '/pub/release-%d/fasta/%s/cdna' % (release, species)\n ftp.cwd(cdna_dir)\n files = ftp.nlst()\n cdna_file = [f for f in files if f.endswith('.cdna.all.fa.gz')][0]\n cdna_url = 'ftp://%s%s/%s' % (ftp_server, cdna_dir, cdna_file)\n if close_connection:\n ftp.close()\n return cdna_url\n",
"role": "user"
},
{
"content": "get_cdna_url",
"role": "assistant"
}
] |
def x(self, path, compress=False):
logger.info('Writing pickle to "%s"...', path)
if compress:
with gzip.open(path, 'wb') as ofh:
pickle.dump(self, ofh, pickle.HIGHEST_PROTOCOL)
else:
with open(path, 'wb') as ofh:
pickle.dump(self, ofh, pickle.HIGHEST_PROTOCOL)
| write_pickle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, compress=False):\n logger.info('Writing pickle to \"%s\"...', path)\n if compress:\n with gzip.open(path, 'wb') as ofh:\n pickle.dump(self, ofh, pickle.HIGHEST_PROTOCOL)\n else:\n with open(path, 'wb') as ofh:\n pickle.dump(self, ofh, pickle.HIGHEST_PROTOCOL)\n",
"role": "user"
},
{
"content": "write_pickle",
"role": "assistant"
}
] |
def x(fn):
with misc.open_plain_or_gzip(fn, 'rb') as fh:
parser = pickle.load(fh)
return parser
| read_pickle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n with misc.open_plain_or_gzip(fn, 'rb') as fh:\n parser = pickle.load(fh)\n return parser\n",
"role": "user"
},
{
"content": "read_pickle",
"role": "assistant"
}
] |
def x(self, name):
term = None
try:
term = self.terms[self.name2id[name]]
except KeyError:
try:
term = self.terms[self.syn2id[name]]
except KeyError:
pass
else:
logger.info('GO term name "%s" is a synonym for "%s".', name,
term.name)
if term is None:
raise ValueError('GO term name "%s" not found!' % name)
return term
| get_term_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n term = None\n try:\n term = self.terms[self.name2id[name]]\n except KeyError:\n try:\n term = self.terms[self.syn2id[name]]\n except KeyError:\n pass\n else:\n logger.info('GO term name \"%s\" is a synonym for \"%s\".', name,\n term.name)\n if term is None:\n raise ValueError('GO term name \"%s\" not found!' % name)\n return term\n",
"role": "user"
},
{
"content": "get_term_by_name",
"role": "assistant"
}
] |
def x(cls, path, flatten=True, part_of_cc_only=False):
name2id = {}
alt_id = {}
syn2id = {}
terms = []
with open(path) as fh:
n = 0
while True:
try:
nextline = next(fh)
except StopIteration:
break
if nextline == '[Term]\n':
n += 1
id_ = next(fh)[4:-1]
name = next(fh)[6:-1]
name2id[name] = id_
domain = next(fh)[11:-1]
def_ = None
is_a = set()
part_of = set()
l = next(fh)
while l != '\n':
if l.startswith('alt_id:'):
alt_id[l[8:-1]] = id_
elif l.startswith('def: '):
idx = l[6:].index('"')
def_ = l[6:idx + 6]
elif l.startswith('is_a:'):
is_a.add(l[6:16])
elif l.startswith('synonym:'):
idx = l[10:].index('"')
if l[10 + idx + 2:].startswith('EXACT'):
s = l[10:10 + idx]
syn2id[s] = id_
elif l.startswith('relationship: part_of'):
if part_of_cc_only:
if domain == 'cellular_component':
part_of.add(l[22:32])
else:
part_of.add(l[22:32])
l = next(fh)
assert def_ is not None
terms.append(GOTerm(id_, name, domain, def_, is_a, part_of))
logger.info('Parsed %d GO term definitions.', n)
ontology = cls(terms, syn2id, alt_id, name2id)
logger.info('Adding child and part relationships...')
for term in ontology:
for parent in term.is_a:
ontology[parent].children.add(term.id)
for whole in term.part_of:
ontology[whole].parts.add(term.id)
if flatten:
logger.info('Flattening ancestors...')
ontology._flatten_ancestors()
logger.info('Flattening descendants...')
ontology._flatten_descendants()
ontology._flattened = True
return ontology
| read_obo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, flatten=True, part_of_cc_only=False):\n name2id = {}\n alt_id = {}\n syn2id = {}\n terms = []\n with open(path) as fh:\n n = 0\n while True:\n try:\n nextline = next(fh)\n except StopIteration:\n break\n if nextline == '[Term]\\n':\n n += 1\n id_ = next(fh)[4:-1]\n name = next(fh)[6:-1]\n name2id[name] = id_\n domain = next(fh)[11:-1]\n def_ = None\n is_a = set()\n part_of = set()\n l = next(fh)\n while l != '\\n':\n if l.startswith('alt_id:'):\n alt_id[l[8:-1]] = id_\n elif l.startswith('def: '):\n idx = l[6:].index('\"')\n def_ = l[6:idx + 6]\n elif l.startswith('is_a:'):\n is_a.add(l[6:16])\n elif l.startswith('synonym:'):\n idx = l[10:].index('\"')\n if l[10 + idx + 2:].startswith('EXACT'):\n s = l[10:10 + idx]\n syn2id[s] = id_\n elif l.startswith('relationship: part_of'):\n if part_of_cc_only:\n if domain == 'cellular_component':\n part_of.add(l[22:32])\n else:\n part_of.add(l[22:32])\n l = next(fh)\n assert def_ is not None\n terms.append(GOTerm(id_, name, domain, def_, is_a, part_of))\n logger.info('Parsed %d GO term definitions.', n)\n ontology = cls(terms, syn2id, alt_id, name2id)\n logger.info('Adding child and part relationships...')\n for term in ontology:\n for parent in term.is_a:\n ontology[parent].children.add(term.id)\n for whole in term.part_of:\n ontology[whole].parts.add(term.id)\n if flatten:\n logger.info('Flattening ancestors...')\n ontology._flatten_ancestors()\n logger.info('Flattening descendants...')\n ontology._flatten_descendants()\n ontology._flattened = True\n return ontology\n",
"role": "user"
},
{
"content": "read_obo",
"role": "assistant"
}
] |
def x(self, include_parts=True):
def x(term):
descendants = set()
for id_ in term.children:
descendants.add(id_)
descendants.update(get_all_descendants(self[id_]))
if include_parts:
for id_ in term.parts:
descendants.add(id_)
descendants.update(get_all_descendants(self[id_]))
return descendants
for term in self:
term.descendants = get_all_descendants(term)
| flatten_descendants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_parts=True):\n\n def x(term):\n descendants = set()\n for id_ in term.children:\n descendants.add(id_)\n descendants.update(get_all_descendants(self[id_]))\n if include_parts:\n for id_ in term.parts:\n descendants.add(id_)\n descendants.update(get_all_descendants(self[id_]))\n return descendants\n for term in self:\n term.descendants = get_all_descendants(term)\n",
"role": "user"
},
{
"content": "flatten_descendants",
"role": "assistant"
}
] |
def x(self, credentials, name, **kwargs):
op_name = create_instance(credentials, self.project, self.zone, name,
machine_type=self.machine_type, disk_size_gb=self.disk_size_gb, **
kwargs)
return op_name
| create_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, credentials, name, **kwargs):\n op_name = create_instance(credentials, self.project, self.zone, name,\n machine_type=self.machine_type, disk_size_gb=self.disk_size_gb, **\n kwargs)\n return op_name\n",
"role": "user"
},
{
"content": "create_instance",
"role": "assistant"
}
] |
def x(self, credentials, name, **kwargs):
op_name = delete_instance(credentials, self.project, self.zone, name,
**kwargs)
return op_name
| delete_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, credentials, name, **kwargs):\n op_name = delete_instance(credentials, self.project, self.zone, name,\n **kwargs)\n return op_name\n",
"role": "user"
},
{
"content": "delete_instance",
"role": "assistant"
}
] |
def x(self, credentials, name, **kwargs):
op_name = wait_for_instance_deletion(credentials, self.project, self.
zone, name, **kwargs)
return op_name
| wait_for_instance_deletion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, credentials, name, **kwargs):\n op_name = wait_for_instance_deletion(credentials, self.project, self.\n zone, name, **kwargs)\n return op_name\n",
"role": "user"
},
{
"content": "wait_for_instance_deletion",
"role": "assistant"
}
] |
def x():
return [n.replace('.json.gz', '') for n in pkg_resources.
resource_listdir(__name__, _data_dir) if n.endswith('.json.gz')]
| get_cytoband_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__, _data_dir) if n.endswith('.json.gz')]\n",
"role": "user"
},
{
"content": "get_cytoband_names",
"role": "assistant"
}
] |
def x(name):
fn = pkg_resources.resource_filename(__name__, _data_path_fmt.format(
name=name))
return json.load(gzip.open(fn, mode='rt', encoding='utf-8'))
| get_cytoband_map | [
{
"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__, _data_path_fmt.format(\n name=name))\n return json.load(gzip.open(fn, mode='rt', encoding='utf-8'))\n",
"role": "user"
},
{
"content": "get_cytoband_map",
"role": "assistant"
}
] |
def x(names=[]):
if names == []:
names = get_cytoband_names()
return {name: get_cytoband_map(name) for name in names}
| get_cytoband_maps | [
{
"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_cytoband_names()\n return {name: get_cytoband_map(name) for name in names}\n",
"role": "user"
},
{
"content": "get_cytoband_maps",
"role": "assistant"
}
] |
def x(absolute_file_path):
global country_package_dir_path
assert country_package_dir_path is not None
relative_file_path = absolute_file_path[len(country_package_dir_path):]
if relative_file_path.startswith('/'):
relative_file_path = relative_file_path[1:]
return relative_file_path
| get_relative_file_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(absolute_file_path):\n global country_package_dir_path\n assert country_package_dir_path is not None\n relative_file_path = absolute_file_path[len(country_package_dir_path):]\n if relative_file_path.startswith('/'):\n relative_file_path = relative_file_path[1:]\n return relative_file_path\n",
"role": "user"
},
{
"content": "get_relative_file_path",
"role": "assistant"
}
] |
def x(global_conf, app_conf):
conf.update(strings.deep_decode(global_conf))
conf.update(strings.deep_decode(app_conf))
conf.update(conv.check(conv.struct({'app_conf': conv.set_value(app_conf
), 'app_dir': conv.set_value(app_dir), 'country_package': conv.pipe
(conv.make_input_to_slug(separator=u'_'), conv.not_none), 'debug':
conv.pipe(conv.guess_bool, conv.default(False)), 'global_conf':
conv.set_value(global_conf), 'i18n_dir': conv.default(os.path.join(
app_dir, 'i18n')), 'load_alert': conv.pipe(conv.guess_bool, conv.
default(False)), 'log_level': conv.pipe(conv.default('WARNING'),
conv.function(lambda log_level: getattr(logging, log_level.upper())
)), 'package_name': conv.default('openfisca-web-api'), 'realm':
conv.default(u'OpenFisca Web API'), 'reforms': conv.ini_str_to_list,
'extensions': conv.ini_str_to_list}, default='drop'))(conf))
logging.basicConfig(level=conf['log_level'], stream=sys.stderr)
errorware = conf.setdefault('errorware', {})
errorware['debug'] = conf['debug']
if not errorware['debug']:
errorware['error_email'] = conf['email_to']
errorware['error_log'] = conf.get('error_log', None)
errorware['error_message'] = conf.get('error_message',
'An internal server error occurred')
errorware['error_subject_prefix'] = conf.get('error_subject_prefix',
'OpenFisca Web API Error: ')
errorware['from_address'] = conf['from_address']
errorware['smtp_server'] = conf.get('smtp_server', 'localhost')
errorware['show_exceptions_in_wsgi_errors'] = conf.get(
'show_exceptions_in_wsgi_errors', True)
country_package = importlib.import_module(conf['country_package'])
tax_benefit_system = country_package.CountryTaxBenefitSystem()
extensions = conf['extensions']
if extensions is not None:
for extension in extensions:
tax_benefit_system.load_extension(extension)
class Scenario(tax_benefit_system.Scenario):
instance_and_error_couple_cache = {} if conf['debug'
] else weakref.WeakValueDictionary()
@classmethod
def x(cls, ctx, repair, tax_benefit_system):
def x(value, state=None):
key = unicode(ctx.lang), unicode(value
), repair, tax_benefit_system
instance_and_error_couple = (cls.
instance_and_error_couple_cache.get(key))
if instance_and_error_couple is None:
instance_and_error_couple = cls.make_json_to_instance(
repair, tax_benefit_system)(value, state=state or
conv.default_state)
cls.instance_and_error_couple_cache[key] = ValueAndError(
instance_and_error_couple)
return instance_and_error_couple
return json_to_cached_or_new_instance
tax_benefit_system.Scenario = Scenario
model.tax_benefit_system = tax_benefit_system
log.debug(u'Pre-fill tax and benefit system cache.')
tax_benefit_system.prefill_cache()
log.debug(u'Initialize reforms.')
reforms = conv.check(conv.uniform_sequence(conv.
module_and_function_str_to_function))(conf['reforms'])
model.reforms = {}
model.reformed_tbs = {}
if reforms is not None:
for reform in reforms:
reformed_tbs = reform(tax_benefit_system)
key = reformed_tbs.key
full_key = reformed_tbs.full_key
model.reforms[key] = reform
model.reformed_tbs[full_key] = reformed_tbs
log.debug(u'Cache default decomposition.')
if tax_benefit_system.decomposition_file_path is not None:
model.get_cached_or_new_decomposition_json(tax_benefit_system)
log.debug(u'Initialize lib2to3-based input variables extractor.')
global country_package_dir_path
country_package_dir_path = os.path.abspath(country_package.__path__[0])
global api_package_version
api_package_version = pkg_resources.get_distribution('openfisca_web_api'
).version
global country_package_version
country_package_version = pkg_resources.get_distribution(conf[
'country_package']).version
log.debug(u'Cache legislation parmeters')
legislation = tax_benefit_system.parameters
parameters = []
walk_legislation(legislation, descriptions=[], parameters=parameters,
path_fragments=[])
model.parameters_cache = parameters
if not conf['debug']:
log.debug(
u'Compute and cache compact legislation for each first day of month since at least 2 legal years.'
)
today = periods.instant(datetime.date.today())
first_day_of_year = today.offset('first-of', 'year')
instant = first_day_of_year.offset(-2, 'year')
two_years_later = first_day_of_year.offset(2, 'year')
while instant < two_years_later:
tax_benefit_system.get_parameters_at_instant(instant)
instant = instant.offset(1, 'month')
if conf['load_alert']:
global cpu_count
cpu_count = multiprocessing.cpu_count()
if conf.get('tracker_url') and conf.get('tracker_idsite'):
wsgihelpers.init_tracker(conf['tracker_url'], conf['tracker_idsite'])
| load_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(global_conf, app_conf):\n conf.update(strings.deep_decode(global_conf))\n conf.update(strings.deep_decode(app_conf))\n conf.update(conv.check(conv.struct({'app_conf': conv.set_value(app_conf\n ), 'app_dir': conv.set_value(app_dir), 'country_package': conv.pipe\n (conv.make_input_to_slug(separator=u'_'), conv.not_none), 'debug':\n conv.pipe(conv.guess_bool, conv.default(False)), 'global_conf':\n conv.set_value(global_conf), 'i18n_dir': conv.default(os.path.join(\n app_dir, 'i18n')), 'load_alert': conv.pipe(conv.guess_bool, conv.\n default(False)), 'log_level': conv.pipe(conv.default('WARNING'),\n conv.function(lambda log_level: getattr(logging, log_level.upper())\n )), 'package_name': conv.default('openfisca-web-api'), 'realm':\n conv.default(u'OpenFisca Web API'), 'reforms': conv.ini_str_to_list,\n 'extensions': conv.ini_str_to_list}, default='drop'))(conf))\n logging.basicConfig(level=conf['log_level'], stream=sys.stderr)\n errorware = conf.setdefault('errorware', {})\n errorware['debug'] = conf['debug']\n if not errorware['debug']:\n errorware['error_email'] = conf['email_to']\n errorware['error_log'] = conf.get('error_log', None)\n errorware['error_message'] = conf.get('error_message',\n 'An internal server error occurred')\n errorware['error_subject_prefix'] = conf.get('error_subject_prefix',\n 'OpenFisca Web API Error: ')\n errorware['from_address'] = conf['from_address']\n errorware['smtp_server'] = conf.get('smtp_server', 'localhost')\n errorware['show_exceptions_in_wsgi_errors'] = conf.get(\n 'show_exceptions_in_wsgi_errors', True)\n country_package = importlib.import_module(conf['country_package'])\n tax_benefit_system = country_package.CountryTaxBenefitSystem()\n extensions = conf['extensions']\n if extensions is not None:\n for extension in extensions:\n tax_benefit_system.load_extension(extension)\n\n\n class Scenario(tax_benefit_system.Scenario):\n instance_and_error_couple_cache = {} if conf['debug'\n ] else weakref.WeakValueDictionary()\n\n @classmethod\n def x(cls, ctx, repair, tax_benefit_system):\n\n def x(value, state=None):\n key = unicode(ctx.lang), unicode(value\n ), repair, tax_benefit_system\n instance_and_error_couple = (cls.\n instance_and_error_couple_cache.get(key))\n if instance_and_error_couple is None:\n instance_and_error_couple = cls.make_json_to_instance(\n repair, tax_benefit_system)(value, state=state or\n conv.default_state)\n cls.instance_and_error_couple_cache[key] = ValueAndError(\n instance_and_error_couple)\n return instance_and_error_couple\n return json_to_cached_or_new_instance\n tax_benefit_system.Scenario = Scenario\n model.tax_benefit_system = tax_benefit_system\n log.debug(u'Pre-fill tax and benefit system cache.')\n tax_benefit_system.prefill_cache()\n log.debug(u'Initialize reforms.')\n reforms = conv.check(conv.uniform_sequence(conv.\n module_and_function_str_to_function))(conf['reforms'])\n model.reforms = {}\n model.reformed_tbs = {}\n if reforms is not None:\n for reform in reforms:\n reformed_tbs = reform(tax_benefit_system)\n key = reformed_tbs.key\n full_key = reformed_tbs.full_key\n model.reforms[key] = reform\n model.reformed_tbs[full_key] = reformed_tbs\n log.debug(u'Cache default decomposition.')\n if tax_benefit_system.decomposition_file_path is not None:\n model.get_cached_or_new_decomposition_json(tax_benefit_system)\n log.debug(u'Initialize lib2to3-based input variables extractor.')\n global country_package_dir_path\n country_package_dir_path = os.path.abspath(country_package.__path__[0])\n global api_package_version\n api_package_version = pkg_resources.get_distribution('openfisca_web_api'\n ).version\n global country_package_version\n country_package_version = pkg_resources.get_distribution(conf[\n 'country_package']).version\n log.debug(u'Cache legislation parmeters')\n legislation = tax_benefit_system.parameters\n parameters = []\n walk_legislation(legislation, descriptions=[], parameters=parameters,\n path_fragments=[])\n model.parameters_cache = parameters\n if not conf['debug']:\n log.debug(\n u'Compute and cache compact legislation for each first day of month since at least 2 legal years.'\n )\n today = periods.instant(datetime.date.today())\n first_day_of_year = today.offset('first-of', 'year')\n instant = first_day_of_year.offset(-2, 'year')\n two_years_later = first_day_of_year.offset(2, 'year')\n while instant < two_years_later:\n tax_benefit_system.get_parameters_at_instant(instant)\n instant = instant.offset(1, 'month')\n if conf['load_alert']:\n global cpu_count\n cpu_count = multiprocessing.cpu_count()\n if conf.get('tracker_url') and conf.get('tracker_idsite'):\n wsgihelpers.init_tracker(conf['tracker_url'], conf['tracker_idsite'])\n",
"role": "user"
},
{
"content": "load_environment",
"role": "assistant"
}
] |
def x(self, gene_names: Iterable[str]):
filt = self.loc[self.index & gene_names]
return filt
| filter_genes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gene_names: Iterable[str]):\n filt = self.loc[self.index & gene_names]\n return filt\n",
"role": "user"
},
{
"content": "filter_genes",
"role": "assistant"
}
] |
def x(cls, filepath_or_buffer: str, gene_table: ExpGeneTable=None, encoding
='UTF-8'):
e = cls(pd.read_csv(filepath_or_buffer, sep='\t', index_col=0, header=0,
encoding=encoding, squeeze=True))
if gene_table is not None:
e = e.filter_genes(gene_table.gene_names)
return e
| read_tsv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filepath_or_buffer: str, gene_table: ExpGeneTable=None, encoding\n ='UTF-8'):\n e = cls(pd.read_csv(filepath_or_buffer, sep='\\t', index_col=0, header=0,\n encoding=encoding, squeeze=True))\n if gene_table is not None:\n e = e.filter_genes(gene_table.gene_names)\n return e\n",
"role": "user"
},
{
"content": "read_tsv",
"role": "assistant"
}
] |
def x(self, path, encoding='UTF-8'):
assert isinstance(path, (str, _oldstr))
assert isinstance(encoding, (str, _oldstr))
sep = '\t'
if six.PY2:
sep = sep.encode('UTF-8')
self.to_csv(path, sep=sep, float_format='%.5f', mode='w', encoding=
encoding, header=True)
logger.info('Wrote expression profile "%s" with %d genes to "%s".',
self.name, self.p, path)
| write_tsv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, encoding='UTF-8'):\n assert isinstance(path, (str, _oldstr))\n assert isinstance(encoding, (str, _oldstr))\n sep = '\\t'\n if six.PY2:\n sep = sep.encode('UTF-8')\n self.to_csv(path, sep=sep, float_format='%.5f', mode='w', encoding=\n encoding, header=True)\n logger.info('Wrote expression profile \"%s\" with %d genes to \"%s\".',\n self.name, self.p, path)\n",
"role": "user"
},
{
"content": "write_tsv",
"role": "assistant"
}
] |
def x(self):
if self.storage_callable is not None and not self.storage_per_field:
self.storage = self.get_storage_from_callable(field=None)
super(override_storage, self).setup_storage()
| setup_storage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.storage_callable is not None and not self.storage_per_field:\n self.storage = self.get_storage_from_callable(field=None)\n super(override_storage, self).setup_storage()\n",
"role": "user"
},
{
"content": "setup_storage",
"role": "assistant"
}
] |
def x(credentials, instance_config, instance_name, script_dir, input_file,
output_dir, self_destruct=True, **kwargs):
template = _TEMPLATE_ENV.get_template('fastqc.sh')
startup_script = template.render(script_dir=script_dir, input_file=
input_file, output_dir=output_dir, self_destruct=self_destruct)
if len(startup_script) > 32768:
raise ValueError('Startup script larger than 32,768 bytes!')
op_name = instance_config.create_instance(credentials, instance_name,
startup_script=startup_script, **kwargs)
return op_name
| run_fastqc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(credentials, instance_config, instance_name, script_dir, input_file,\n output_dir, self_destruct=True, **kwargs):\n template = _TEMPLATE_ENV.get_template('fastqc.sh')\n startup_script = template.render(script_dir=script_dir, input_file=\n input_file, output_dir=output_dir, self_destruct=self_destruct)\n if len(startup_script) > 32768:\n raise ValueError('Startup script larger than 32,768 bytes!')\n op_name = instance_config.create_instance(credentials, instance_name,\n startup_script=startup_script, **kwargs)\n return op_name\n",
"role": "user"
},
{
"content": "run_fastqc",
"role": "assistant"
}
] |
def x(credentials, instance_config, instance_name, script_dir, sra_run_acc,
output_dir, **kwargs):
template = _TEMPLATE_ENV.get_template('sra_download_paired-end.sh')
startup_script = template.render(script_dir=script_dir, sra_run_acc=
sra_run_acc, output_dir=output_dir)
if len(startup_script) > 32768:
raise ValueError('Startup script larger than 32,768 bytes!')
instance_config.create_instance(credentials, instance_name,
startup_script=startup_script, **kwargs)
| sra_download_paired_end | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(credentials, instance_config, instance_name, script_dir, sra_run_acc,\n output_dir, **kwargs):\n template = _TEMPLATE_ENV.get_template('sra_download_paired-end.sh')\n startup_script = template.render(script_dir=script_dir, sra_run_acc=\n sra_run_acc, output_dir=output_dir)\n if len(startup_script) > 32768:\n raise ValueError('Startup script larger than 32,768 bytes!')\n instance_config.create_instance(credentials, instance_name,\n startup_script=startup_script, **kwargs)\n",
"role": "user"
},
{
"content": "sra_download_paired_end",
"role": "assistant"
}
] |
def x(credentials, instance_config, instance_name, script_dir, input_file,
output_file, trim_crop, trim_headcrop=0, self_destruct=True, **kwargs):
template = _TEMPLATE_ENV.get_template('trim_fastq.sh')
startup_script = template.render(script_dir=script_dir, input_file=
input_file, output_file=output_file, trim_crop=trim_crop,
trim_headcrop=trim_headcrop, self_destruct=self_destruct)
if len(startup_script) > 32768:
raise ValueError('Startup script larger than 32,768 bytes!')
instance_config.create_instance(credentials, instance_name,
startup_script=startup_script, **kwargs)
| trim_fastq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(credentials, instance_config, instance_name, script_dir, input_file,\n output_file, trim_crop, trim_headcrop=0, self_destruct=True, **kwargs):\n template = _TEMPLATE_ENV.get_template('trim_fastq.sh')\n startup_script = template.render(script_dir=script_dir, input_file=\n input_file, output_file=output_file, trim_crop=trim_crop,\n trim_headcrop=trim_headcrop, self_destruct=self_destruct)\n if len(startup_script) > 32768:\n raise ValueError('Startup script larger than 32,768 bytes!')\n instance_config.create_instance(credentials, instance_name,\n startup_script=startup_script, **kwargs)\n",
"role": "user"
},
{
"content": "trim_fastq",
"role": "assistant"
}
] |
def x(cmd, exception):
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
if p.wait() != 0:
raise BridgeException(exception)
return p
| runshell | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd, exception):\n p = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE)\n if p.wait() != 0:\n raise BridgeException(exception)\n return p\n",
"role": "user"
},
{
"content": "runshell",
"role": "assistant"
}
] |
def x(self, iname):
_runshell([brctlexe, 'addif', self.name, iname],
'Could not add interface %s to %s.' % (iname, self.name))
| addif | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iname):\n _runshell([brctlexe, 'addif', self.name, iname], \n 'Could not add interface %s to %s.' % (iname, self.name))\n",
"role": "user"
},
{
"content": "addif",
"role": "assistant"
}
] |
def x(self, iname):
_runshell([brctlexe, 'delif', self.name, iname],
'Could not delete interface %s from %s.' % (iname, self.name))
| delif | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iname):\n _runshell([brctlexe, 'delif', self.name, iname], \n 'Could not delete interface %s from %s.' % (iname, self.name))\n",
"role": "user"
},
{
"content": "delif",
"role": "assistant"
}
] |
def x(self, port, val=True):
if val:
state = 'on'
else:
state = 'off'
_runshell([brctlexe, 'hairpin', self.name, port, state],
'Could not set hairpin in port %s in %s.' % (port, self.name))
| hairpin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, port, val=True):\n if val:\n state = 'on'\n else:\n state = 'off'\n _runshell([brctlexe, 'hairpin', self.name, port, state], \n 'Could not set hairpin in port %s in %s.' % (port, self.name))\n",
"role": "user"
},
{
"content": "hairpin",
"role": "assistant"
}
] |
def x(self, val=True):
if val:
state = 'on'
else:
state = 'off'
_runshell([brctlexe, 'stp', self.name, state],
'Could not set stp on %s.' % self.name)
| stp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val=True):\n if val:\n state = 'on'\n else:\n state = 'off'\n _runshell([brctlexe, 'stp', self.name, state], \n 'Could not set stp on %s.' % self.name)\n",
"role": "user"
},
{
"content": "stp",
"role": "assistant"
}
] |
def x(self, time):
_runshell([brctlexe, 'setageing', self.name, str(time)],
'Could not set ageing time in %s.' % self.name)
| setageing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, time):\n _runshell([brctlexe, 'setageing', self.name, str(time)], \n 'Could not set ageing time in %s.' % self.name)\n",
"role": "user"
},
{
"content": "setageing",
"role": "assistant"
}
] |
def x(self, prio):
_runshell([brctlexe, 'setbridgeprio', self.name, str(prio)],
'Could not set bridge priority in %s.' % self.name)
| setbridgeprio | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prio):\n _runshell([brctlexe, 'setbridgeprio', self.name, str(prio)], \n 'Could not set bridge priority in %s.' % self.name)\n",
"role": "user"
},
{
"content": "setbridgeprio",
"role": "assistant"
}
] |
def x(self, time):
_runshell([brctlexe, 'setfd', self.name, str(time)],
'Could not set forward delay in %s.' % self.name)
| setfd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, time):\n _runshell([brctlexe, 'setfd', self.name, str(time)], \n 'Could not set forward delay in %s.' % self.name)\n",
"role": "user"
},
{
"content": "setfd",
"role": "assistant"
}
] |
def x(self, time):
_runshell([brctlexe, 'sethello', self.name, str(time)],
'Could not set hello time in %s.' % self.name)
| sethello | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, time):\n _runshell([brctlexe, 'sethello', self.name, str(time)], \n 'Could not set hello time in %s.' % self.name)\n",
"role": "user"
},
{
"content": "sethello",
"role": "assistant"
}
] |
def x(self, time):
_runshell([brctlexe, 'setmaxage', self.name, str(time)],
'Could not set max message age in %s.' % self.name)
| setmaxage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, time):\n _runshell([brctlexe, 'setmaxage', self.name, str(time)], \n 'Could not set max message age in %s.' % self.name)\n",
"role": "user"
},
{
"content": "setmaxage",
"role": "assistant"
}
] |
def x(self, port, cost):
_runshell([brctlexe, 'setpathcost', self.name, port, str(cost)],
'Could not set path cost in port %s in %s.' % (port, self.name))
| setpathcost | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, port, cost):\n _runshell([brctlexe, 'setpathcost', self.name, port, str(cost)], \n 'Could not set path cost in port %s in %s.' % (port, self.name))\n",
"role": "user"
},
{
"content": "setpathcost",
"role": "assistant"
}
] |
def x(self, port, prio):
_runshell([brctlexe, 'setportprio', self.name, port, str(prio)],
'Could not set priority in port %s in %s.' % (port, self.name))
| setportprio | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, port, prio):\n _runshell([brctlexe, 'setportprio', self.name, port, str(prio)], \n 'Could not set priority in port %s in %s.' % (port, self.name))\n",
"role": "user"
},
{
"content": "setportprio",
"role": "assistant"
}
] |
def x(self):
p = _runshell([brctlexe, 'show', self.name], 'Could not show %s.' %
self.name)
return p.stdout.read().split()[7:]
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n p = _runshell([brctlexe, 'show', self.name], 'Could not show %s.' %\n self.name)\n return p.stdout.read().split()[7:]\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self, name):
_runshell([brctlexe, 'addbr', name], 'Could not create bridge %s.' % name)
_runshell([ipexe, 'link', 'set', 'dev', name, 'up'],
'Could not set link up for %s.' % name)
return Bridge(name)
| addbr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n _runshell([brctlexe, 'addbr', name], 'Could not create bridge %s.' % name)\n _runshell([ipexe, 'link', 'set', 'dev', name, 'up'], \n 'Could not set link up for %s.' % name)\n return Bridge(name)\n",
"role": "user"
},
{
"content": "addbr",
"role": "assistant"
}
] |
def x(self, name):
self.getbr(name)
_runshell([ipexe, 'link', 'set', 'dev', name, 'down'],
'Could not set link down for %s.' % name)
_runshell([brctlexe, 'delbr', name], 'Could not delete bridge %s.' % name)
| delbr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n self.getbr(name)\n _runshell([ipexe, 'link', 'set', 'dev', name, 'down'], \n 'Could not set link down for %s.' % name)\n _runshell([brctlexe, 'delbr', name], 'Could not delete bridge %s.' % name)\n",
"role": "user"
},
{
"content": "delbr",
"role": "assistant"
}
] |
def x(self):
p = _runshell([brctlexe, 'show'], 'Could not show bridges.')
wlist = map(str.split, p.stdout.read().splitlines()[1:])
brwlist = filter(lambda x: len(x) != 1, wlist)
brlist = map(lambda x: x[0], brwlist)
return map(Bridge, brlist)
| showall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n p = _runshell([brctlexe, 'show'], 'Could not show bridges.')\n wlist = map(str.split, p.stdout.read().splitlines()[1:])\n brwlist = filter(lambda x: len(x) != 1, wlist)\n brlist = map(lambda x: x[0], brwlist)\n return map(Bridge, brlist)\n",
"role": "user"
},
{
"content": "showall",
"role": "assistant"
}
] |
def x(self, name):
for br in self.showall():
if br.name == name:
return br
raise BridgeException('Bridge does not exist.')
| getbr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n for br in self.showall():\n if br.name == name:\n return br\n raise BridgeException('Bridge does not exist.')\n",
"role": "user"
},
{
"content": "getbr",
"role": "assistant"
}
] |
def x(self, value):
if self.base_type is not None and value is not None and not isinstance(
value, self.base_type):
if isinstance(self.base_type, tuple):
allowed_types = [typ.__name__ for typ in self.base_type]
allowed_types_text = ' or '.join(allowed_types)
else:
allowed_types_text = self.base_type.__name__
err_msg = 'Value must be of %s type.' % allowed_types_text
raise ValidationError(err_msg)
if not self.has_value(value):
if self.default is not None:
raise StopValidation(self.default)
if self.required:
raise ValidationError('This field is required.')
else:
raise StopValidation(self.blank_value)
return value
| clean | [
{
"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 self.base_type is not None and value is not None and not isinstance(\n value, self.base_type):\n if isinstance(self.base_type, tuple):\n allowed_types = [typ.__name__ for typ in self.base_type]\n allowed_types_text = ' or '.join(allowed_types)\n else:\n allowed_types_text = self.base_type.__name__\n err_msg = 'Value must be of %s type.' % allowed_types_text\n raise ValidationError(err_msg)\n if not self.has_value(value):\n if self.default is not None:\n raise StopValidation(self.default)\n if self.required:\n raise ValidationError('This field is required.')\n else:\n raise StopValidation(self.blank_value)\n return value\n",
"role": "user"
},
{
"content": "clean",
"role": "assistant"
}
] |
def x(self, value):
value = self.schema_class(value).full_clean()
return self.object_class(**value)
| clean_new | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = self.schema_class(value).full_clean()\n return self.object_class(**value)\n",
"role": "user"
},
{
"content": "clean_new",
"role": "assistant"
}
] |
def x(self, value):
existing_pk = value[self.pk_field]
try:
obj = self.fetch_existing(existing_pk)
except ReferenceNotFoundError:
raise ValidationError('Object does not exist.')
orig_data = self.get_orig_data_from_existing(obj)
value = self.schema_class(value, orig_data).full_clean()
for field_name, field_value in value.items():
if field_name != self.pk_field:
setattr(obj, field_name, field_value)
return obj
| clean_existing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n existing_pk = value[self.pk_field]\n try:\n obj = self.fetch_existing(existing_pk)\n except ReferenceNotFoundError:\n raise ValidationError('Object does not exist.')\n orig_data = self.get_orig_data_from_existing(obj)\n value = self.schema_class(value, orig_data).full_clean()\n for field_name, field_value in value.items():\n if field_name != self.pk_field:\n setattr(obj, field_name, field_value)\n return obj\n",
"role": "user"
},
{
"content": "clean_existing",
"role": "assistant"
}
] |
def x(cls):
fields = {}
for field_name in dir(cls):
if isinstance(getattr(cls, field_name), Field):
field = getattr(cls, field_name)
field_name = field.field_name or field_name
fields[field_name] = field
return fields
| get_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n fields = {}\n for field_name in dir(cls):\n if isinstance(getattr(cls, field_name), Field):\n field = getattr(cls, field_name)\n field_name = field.field_name or field_name\n fields[field_name] = field\n return fields\n",
"role": "user"
},
{
"content": "get_fields",
"role": "assistant"
}
] |
def x(cls, obj):
data = {}
for field_name in cls.get_fields():
try:
value = getattr(obj, field_name)
except AttributeError:
continue
if callable(value):
value = value()
data[field_name] = value
return data
| obj_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj):\n data = {}\n for field_name in cls.get_fields():\n try:\n value = getattr(obj, field_name)\n except AttributeError:\n continue\n if callable(value):\n value = value()\n data[field_name] = value\n return data\n",
"role": "user"
},
{
"content": "obj_to_dict",
"role": "assistant"
}
] |
def x(self):
return asarray([value.toarray() for key, value in sorted(self.
transformations.items())])
| toarray | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return asarray([value.toarray() for key, value in sorted(self.\n transformations.items())])\n",
"role": "user"
},
{
"content": "toarray",
"role": "assistant"
}
] |
def x(self, images):
images = check_images(images)
def x(item):
k, v = item
return self.transformations[k].apply(v)
return images.map(apply, value_shape=images.value_shape, dtype=images.
dtype, with_keys=True)
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, images):\n images = check_images(images)\n\n def x(item):\n k, v = item\n return self.transformations[k].apply(v)\n return images.map(apply, value_shape=images.value_shape, dtype=images.\n dtype, with_keys=True)\n",
"role": "user"
},
{
"content": "transform",
"role": "assistant"
}
] |
def x(name, package=None, debug='DEBUG', env=None, replacements=None):
modname = resolve_name(name, package)
if modname in sys.modules:
return sys.modules[modname]
if env is None:
try:
import builtins
env = getattr(builtins, '__xonsh_env__', os.environ)
except:
return os.environ
if env.get(debug, None):
mod = importlib.import_module(name, package=package)
return mod
proxy = sys.modules[modname] = BackgroundModuleProxy(modname)
BackgroundModuleLoader(name, package, replacements or {})
return proxy
| load_module_in_background | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, package=None, debug='DEBUG', env=None, replacements=None):\n modname = resolve_name(name, package)\n if modname in sys.modules:\n return sys.modules[modname]\n if env is None:\n try:\n import builtins\n env = getattr(builtins, '__xonsh_env__', os.environ)\n except:\n return os.environ\n if env.get(debug, None):\n mod = importlib.import_module(name, package=package)\n return mod\n proxy = sys.modules[modname] = BackgroundModuleProxy(modname)\n BackgroundModuleLoader(name, package, replacements or {})\n return proxy\n",
"role": "user"
},
{
"content": "load_module_in_background",
"role": "assistant"
}
] |
def x(self):
if self.__token is not None:
return self.__token
url = 'https://api.neur.io/v1/oauth2/token'
creds = b64encode(':'.join([self.__key, self.__secret]).encode()).decode()
headers = {'Authorization': ' '.join(['Basic', creds])}
payload = {'grant_type': 'client_credentials'}
r = requests.post(url, data=payload, headers=headers)
self.__token = r.json()['access_token']
return self.__token
| get_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__token is not None:\n return self.__token\n url = 'https://api.neur.io/v1/oauth2/token'\n creds = b64encode(':'.join([self.__key, self.__secret]).encode()).decode()\n headers = {'Authorization': ' '.join(['Basic', creds])}\n payload = {'grant_type': 'client_credentials'}\n r = requests.post(url, data=payload, headers=headers)\n self.__token = r.json()['access_token']\n return self.__token\n",
"role": "user"
},
{
"content": "get_token",
"role": "assistant"
}
] |
def x(self, url, params):
url_parts = list(urlparse(url))
query = dict(parse_qsl(url_parts[4]))
query.update(params)
url_parts[4] = urlencode(query)
return urlunparse(url_parts)
| append_url_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, params):\n url_parts = list(urlparse(url))\n query = dict(parse_qsl(url_parts[4]))\n query.update(params)\n url_parts[4] = urlencode(query)\n return urlunparse(url_parts)\n",
"role": "user"
},
{
"content": "append_url_params",
"role": "assistant"
}
] |
def x(self, appliance_id):
url = 'https://api.neur.io/v1/appliances/%s' % appliance_id
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
r = requests.get(url, headers=headers)
return r.json()
| get_appliance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, appliance_id):\n url = 'https://api.neur.io/v1/appliances/%s' % appliance_id\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_appliance",
"role": "assistant"
}
] |
def x(self, location_id):
url = 'https://api.neur.io/v1/appliances'
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
params = {'locationId': location_id}
url = self.__append_url_params(url, params)
r = requests.get(url, headers=headers)
return r.json()
| get_appliances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location_id):\n url = 'https://api.neur.io/v1/appliances'\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n params = {'locationId': location_id}\n url = self.__append_url_params(url, params)\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_appliances",
"role": "assistant"
}
] |
def x(self, location_id, since, per_page=None, page=None, min_power=None):
url = 'https://api.neur.io/v1/appliances/events'
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
params = {'locationId': location_id, 'since': since}
if min_power:
params['minPower'] = min_power
if per_page:
params['perPage'] = per_page
if page:
params['page'] = page
url = self.__append_url_params(url, params)
r = requests.get(url, headers=headers)
return r.json()
| get_appliance_event_after_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location_id, since, per_page=None, page=None, min_power=None):\n url = 'https://api.neur.io/v1/appliances/events'\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n params = {'locationId': location_id, 'since': since}\n if min_power:\n params['minPower'] = min_power\n if per_page:\n params['perPage'] = per_page\n if page:\n params['page'] = page\n url = self.__append_url_params(url, params)\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_appliance_event_after_time",
"role": "assistant"
}
] |
def x(self, location_id, start, end, granularity=None, per_page=None, page=
None, min_power=None):
url = 'https://api.neur.io/v1/appliances/stats'
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
params = {'locationId': location_id, 'start': start, 'end': end}
if granularity:
params['granularity'] = granularity
if min_power:
params['minPower'] = min_power
if per_page:
params['perPage'] = per_page
if page:
params['page'] = page
url = self.__append_url_params(url, params)
r = requests.get(url, headers=headers)
return r.json()
| get_appliance_stats_by_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location_id, start, end, granularity=None, per_page=None, page=\n None, min_power=None):\n url = 'https://api.neur.io/v1/appliances/stats'\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n params = {'locationId': location_id, 'start': start, 'end': end}\n if granularity:\n params['granularity'] = granularity\n if min_power:\n params['minPower'] = min_power\n if per_page:\n params['perPage'] = per_page\n if page:\n params['page'] = page\n url = self.__append_url_params(url, params)\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_appliance_stats_by_location",
"role": "assistant"
}
] |
def x(ip):
valid_ip_pat = re.compile(
'^((25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.){3}(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$'
)
if not valid_ip_pat.match(ip):
raise ValueError('ip address invalid')
url = 'http://%s/current-sample' % ip
headers = {'Content-Type': 'application/json'}
r = requests.get(url, headers=headers)
return r.json()
| get_local_current_sample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip):\n valid_ip_pat = re.compile(\n '^((25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\\\.){3}(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$'\n )\n if not valid_ip_pat.match(ip):\n raise ValueError('ip address invalid')\n url = 'http://%s/current-sample' % ip\n headers = {'Content-Type': 'application/json'}\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_local_current_sample",
"role": "assistant"
}
] |
def x(self, sensor_id, last=None):
url = 'https://api.neur.io/v1/samples/live'
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
params = {'sensorId': sensor_id}
if last:
params['last'] = last
url = self.__append_url_params(url, params)
r = requests.get(url, headers=headers)
return r.json()
| get_samples_live | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sensor_id, last=None):\n url = 'https://api.neur.io/v1/samples/live'\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n params = {'sensorId': sensor_id}\n if last:\n params['last'] = last\n url = self.__append_url_params(url, params)\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_samples_live",
"role": "assistant"
}
] |
def x(self, sensor_id):
url = 'https://api.neur.io/v1/samples/live/last'
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
params = {'sensorId': sensor_id}
url = self.__append_url_params(url, params)
r = requests.get(url, headers=headers)
return r.json()
| get_samples_live_last | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sensor_id):\n url = 'https://api.neur.io/v1/samples/live/last'\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n params = {'sensorId': sensor_id}\n url = self.__append_url_params(url, params)\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_samples_live_last",
"role": "assistant"
}
] |
def x(self, sensor_id, start, granularity, end=None, frequency=None,
per_page=None, page=None, full=False):
url = 'https://api.neur.io/v1/samples'
if full:
url = 'https://api.neur.io/v1/samples/full'
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
params = {'sensorId': sensor_id, 'start': start, 'granularity': granularity
}
if end:
params['end'] = end
if frequency:
params['frequency'] = frequency
if per_page:
params['perPage'] = per_page
if page:
params['page'] = page
url = self.__append_url_params(url, params)
r = requests.get(url, headers=headers)
return r.json()
| get_samples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sensor_id, start, granularity, end=None, frequency=None,\n per_page=None, page=None, full=False):\n url = 'https://api.neur.io/v1/samples'\n if full:\n url = 'https://api.neur.io/v1/samples/full'\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n params = {'sensorId': sensor_id, 'start': start, 'granularity': granularity\n }\n if end:\n params['end'] = end\n if frequency:\n params['frequency'] = frequency\n if per_page:\n params['perPage'] = per_page\n if page:\n params['page'] = page\n url = self.__append_url_params(url, params)\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_samples",
"role": "assistant"
}
] |
def x(self):
url = 'https://api.neur.io/v1/users/current'
headers = self.__gen_headers()
headers['Content-Type'] = 'application/json'
r = requests.get(url, headers=headers)
return r.json()
| get_user_information | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = 'https://api.neur.io/v1/users/current'\n headers = self.__gen_headers()\n headers['Content-Type'] = 'application/json'\n r = requests.get(url, headers=headers)\n return r.json()\n",
"role": "user"
},
{
"content": "get_user_information",
"role": "assistant"
}
] |
def x(self, emin=None, emax=None, width=800, height=400, margin_left=100,
margin_bottom=60, margin_top=30, margin_right=0, colorbar_size=0.4,
xaxis_label=None, yaxis_label=None, xaxis_nticks=None, yaxis_nticks=
None, xtick_angle=30, font='"Droid Serif", "Open Serif", serif',
font_size=12, title_font_size=None, show_sample_labels=True, **kwargs):
if emax is None:
emax = self.matrix.X.max()
if emin is None:
emin = self.matrix.X.min()
title = self.title
if title_font_size is None:
title_font_size = font_size
colorbar_label = self.colorbar_label or 'Expression'
colorbar = go.ColorBar(lenmode='fraction', len=colorbar_size, title=
colorbar_label, titlefont=dict(size=title_font_size), titleside=
'right', xpad=0, ypad=0, outlinewidth=0, thickness=20)
def x(labels):
assert isinstance(labels, Iterable)
fixed_labels = []
for l in labels:
try:
float(l)
except (ValueError, TypeError):
fixed_labels.append(str(l))
else:
fixed_labels.append(str(l) + '_')
return fixed_labels
x = fix_plotly_label_bug(self.matrix.samples)
gene_labels = self.matrix.genes.tolist()
if self.gene_aliases:
for i, gene in enumerate(gene_labels):
try:
alias = self.gene_aliases[gene]
except KeyError:
pass
else:
gene_labels[i] = '%s/%s' % (gene, alias)
gene_labels = fix_plotly_label_bug(gene_labels)
data = [go.Heatmap(z=self.matrix.X, x=x, y=gene_labels, zmin=emin, zmax
=emax, colorscale=self.colorscale, colorbar=colorbar, hoverinfo=
'x+y+z', **kwargs)]
xticks = 'outside'
if not show_sample_labels:
xticks = ''
if xaxis_label is None:
if self.matrix.samples.name is not None:
xaxis_label = self.matrix.samples.name
else:
xaxis_label = 'Samples'
xaxis_label = xaxis_label + ' (n = %d)' % self.matrix.n
if yaxis_label is None:
if self.matrix.genes.name is not None:
yaxis_label = self.matrix.genes.name
else:
yaxis_label = 'Genes'
yaxis_label = yaxis_label + ' (p = %d)' % self.matrix.p
layout = go.Layout(width=width, height=height, title=title, titlefont=
go.Font(size=title_font_size), font=go.Font(size=font_size, family=
font), xaxis=go.XAxis(title=xaxis_label, titlefont=dict(size=
title_font_size), showticklabels=show_sample_labels, ticks=xticks,
nticks=xaxis_nticks, tickangle=xtick_angle, showline=True), yaxis=
go.YAxis(title=yaxis_label, titlefont=dict(size=title_font_size),
nticks=yaxis_nticks, autorange='reversed', showline=True), margin=
go.Margin(l=margin_left, t=margin_top, b=margin_bottom, r=
margin_right, pad=0))
layout['xaxis2'] = go.XAxis(overlaying='x', showline=False, tickfont=
dict(size=0), autorange=False, range=[-0.5, self.matrix.n - 0.5],
ticks='', showticklabels=False)
layout['yaxis2'] = go.YAxis(overlaying='y', showline=False, tickfont=
dict(size=0), autorange=False, range=[self.matrix.p - 0.5, -0.5],
ticks='', showticklabels=False)
for ann in self.gene_annotations:
i = self.matrix.genes.get_loc(ann.gene)
xmn = -0.5
xmx = self.matrix.n - 0.5
ymn = i - 0.5
ymx = i + 0.5
data.append(go.Scatter(x=[xmn, xmx, xmx, xmn, xmn], y=[ymn, ymn,
ymx, ymx, ymn], mode='lines', hoverinfo='none', showlegend=
False, line=dict(color=ann.color), xaxis='x2', yaxis='y2',
opacity=1 - ann.transparency))
if ann.label is not None:
layout.annotations.append(go.Annotation(text=ann.label, x=0.01,
y=i - 0.5, xref='paper', yref='y2', xanchor='left', yanchor
='bottom', showarrow=False, bgcolor='white', opacity=0.8,
borderpad=0, font=dict(color=ann.color)))
for ann in self.sample_annotations:
j = self.matrix.samples.get_loc(ann.sample)
xmn = j - 0.5
xmx = j + 0.5
ymn = -0.5
ymx = self.matrix.p - 0.5
data.append(go.Scatter(x=[xmn, xmx, xmx, xmn, xmn], y=[ymn, ymn,
ymx, ymx, ymn], mode='lines', hoverinfo='none', showlegend=
False, line=dict(color=ann.color), xaxis='x2', yaxis='y2',
opacity=1.0))
if ann.label is not None:
layout.annotations.append(go.Annotation(text=ann.label, y=0.99,
x=j + 0.5, xref='x2', yref='paper', xanchor='left', yanchor
='top', showarrow=False, bgcolor='white', opacity=1 - ann.
transparency, borderpad=0, textangle=90, font=dict(color=
ann.color)))
fig = go.Figure(data=data, layout=layout)
return fig
| get_figure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, emin=None, emax=None, width=800, height=400, margin_left=100,\n margin_bottom=60, margin_top=30, margin_right=0, colorbar_size=0.4,\n xaxis_label=None, yaxis_label=None, xaxis_nticks=None, yaxis_nticks=\n None, xtick_angle=30, font='\"Droid Serif\", \"Open Serif\", serif',\n font_size=12, title_font_size=None, show_sample_labels=True, **kwargs):\n if emax is None:\n emax = self.matrix.X.max()\n if emin is None:\n emin = self.matrix.X.min()\n title = self.title\n if title_font_size is None:\n title_font_size = font_size\n colorbar_label = self.colorbar_label or 'Expression'\n colorbar = go.ColorBar(lenmode='fraction', len=colorbar_size, title=\n colorbar_label, titlefont=dict(size=title_font_size), titleside=\n 'right', xpad=0, ypad=0, outlinewidth=0, thickness=20)\n\n def x(labels):\n assert isinstance(labels, Iterable)\n fixed_labels = []\n for l in labels:\n try:\n float(l)\n except (ValueError, TypeError):\n fixed_labels.append(str(l))\n else:\n fixed_labels.append(str(l) + '_')\n return fixed_labels\n x = fix_plotly_label_bug(self.matrix.samples)\n gene_labels = self.matrix.genes.tolist()\n if self.gene_aliases:\n for i, gene in enumerate(gene_labels):\n try:\n alias = self.gene_aliases[gene]\n except KeyError:\n pass\n else:\n gene_labels[i] = '%s/%s' % (gene, alias)\n gene_labels = fix_plotly_label_bug(gene_labels)\n data = [go.Heatmap(z=self.matrix.X, x=x, y=gene_labels, zmin=emin, zmax\n =emax, colorscale=self.colorscale, colorbar=colorbar, hoverinfo=\n 'x+y+z', **kwargs)]\n xticks = 'outside'\n if not show_sample_labels:\n xticks = ''\n if xaxis_label is None:\n if self.matrix.samples.name is not None:\n xaxis_label = self.matrix.samples.name\n else:\n xaxis_label = 'Samples'\n xaxis_label = xaxis_label + ' (n = %d)' % self.matrix.n\n if yaxis_label is None:\n if self.matrix.genes.name is not None:\n yaxis_label = self.matrix.genes.name\n else:\n yaxis_label = 'Genes'\n yaxis_label = yaxis_label + ' (p = %d)' % self.matrix.p\n layout = go.Layout(width=width, height=height, title=title, titlefont=\n go.Font(size=title_font_size), font=go.Font(size=font_size, family=\n font), xaxis=go.XAxis(title=xaxis_label, titlefont=dict(size=\n title_font_size), showticklabels=show_sample_labels, ticks=xticks,\n nticks=xaxis_nticks, tickangle=xtick_angle, showline=True), yaxis=\n go.YAxis(title=yaxis_label, titlefont=dict(size=title_font_size),\n nticks=yaxis_nticks, autorange='reversed', showline=True), margin=\n go.Margin(l=margin_left, t=margin_top, b=margin_bottom, r=\n margin_right, pad=0))\n layout['xaxis2'] = go.XAxis(overlaying='x', showline=False, tickfont=\n dict(size=0), autorange=False, range=[-0.5, self.matrix.n - 0.5],\n ticks='', showticklabels=False)\n layout['yaxis2'] = go.YAxis(overlaying='y', showline=False, tickfont=\n dict(size=0), autorange=False, range=[self.matrix.p - 0.5, -0.5],\n ticks='', showticklabels=False)\n for ann in self.gene_annotations:\n i = self.matrix.genes.get_loc(ann.gene)\n xmn = -0.5\n xmx = self.matrix.n - 0.5\n ymn = i - 0.5\n ymx = i + 0.5\n data.append(go.Scatter(x=[xmn, xmx, xmx, xmn, xmn], y=[ymn, ymn,\n ymx, ymx, ymn], mode='lines', hoverinfo='none', showlegend=\n False, line=dict(color=ann.color), xaxis='x2', yaxis='y2',\n opacity=1 - ann.transparency))\n if ann.label is not None:\n layout.annotations.append(go.Annotation(text=ann.label, x=0.01,\n y=i - 0.5, xref='paper', yref='y2', xanchor='left', yanchor\n ='bottom', showarrow=False, bgcolor='white', opacity=0.8,\n borderpad=0, font=dict(color=ann.color)))\n for ann in self.sample_annotations:\n j = self.matrix.samples.get_loc(ann.sample)\n xmn = j - 0.5\n xmx = j + 0.5\n ymn = -0.5\n ymx = self.matrix.p - 0.5\n data.append(go.Scatter(x=[xmn, xmx, xmx, xmn, xmn], y=[ymn, ymn,\n ymx, ymx, ymn], mode='lines', hoverinfo='none', showlegend=\n False, line=dict(color=ann.color), xaxis='x2', yaxis='y2',\n opacity=1.0))\n if ann.label is not None:\n layout.annotations.append(go.Annotation(text=ann.label, y=0.99,\n x=j + 0.5, xref='x2', yref='paper', xanchor='left', yanchor\n ='top', showarrow=False, bgcolor='white', opacity=1 - ann.\n transparency, borderpad=0, textangle=90, font=dict(color=\n ann.color)))\n fig = go.Figure(data=data, layout=layout)\n return fig\n",
"role": "user"
},
{
"content": "get_figure",
"role": "assistant"
}
] |
def x(req):
API_VERSION = '2.1.0'
wsgihelpers.track(req.url.decode('utf-8'))
params = dict(req.GET)
data = dict()
try:
extensions_header = req.headers.get('X-Openfisca-Extensions')
tax_benefit_system = model.get_cached_composed_reform(reform_keys=
extensions_header.split(','), tax_benefit_system=model.
tax_benefit_system
) if extensions_header is not None else model.tax_benefit_system
params = normalize(params, tax_benefit_system)
formula_names = req.urlvars.get('names').split('+')
data['values'] = dict()
data['period'] = parse_period(req.urlvars.get('period'))
simulation = create_simulation(params, data['period'],
tax_benefit_system)
for formula_name in formula_names:
column = get_column_from_formula_name(formula_name,
tax_benefit_system)
data['values'][formula_name] = compute(column.name, simulation)
except Exception as error:
if isinstance(error.args[0], dict):
error = error.args[0]
else:
error = dict(message=unicode(error), code=500)
data['error'] = error
finally:
return respond(req, API_VERSION, data, params)
| api2_formula | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(req):\n API_VERSION = '2.1.0'\n wsgihelpers.track(req.url.decode('utf-8'))\n params = dict(req.GET)\n data = dict()\n try:\n extensions_header = req.headers.get('X-Openfisca-Extensions')\n tax_benefit_system = model.get_cached_composed_reform(reform_keys=\n extensions_header.split(','), tax_benefit_system=model.\n tax_benefit_system\n ) if extensions_header is not None else model.tax_benefit_system\n params = normalize(params, tax_benefit_system)\n formula_names = req.urlvars.get('names').split('+')\n data['values'] = dict()\n data['period'] = parse_period(req.urlvars.get('period'))\n simulation = create_simulation(params, data['period'],\n tax_benefit_system)\n for formula_name in formula_names:\n column = get_column_from_formula_name(formula_name,\n tax_benefit_system)\n data['values'][formula_name] = compute(column.name, simulation)\n except Exception as error:\n if isinstance(error.args[0], dict):\n error = error.args[0]\n else:\n error = dict(message=unicode(error), code=500)\n data['error'] = error\n finally:\n return respond(req, API_VERSION, data, params)\n",
"role": "user"
},
{
"content": "api2_formula",
"role": "assistant"
}
] |
def x(rst, clk, rx_rdy, rx_vld, rx_dat, tx_rdy, tx_vld, tx_dat):
DATA_WIDTH = len(rx_dat)
NUM_STAGES = 3
stage_en = Signal(intbv(0)[NUM_STAGES:])
stop_tx = Signal(intbv(0)[NUM_STAGES:])
pipe_ctrl = pipeline_control(rst=rst, clk=clk, rx_vld=rx_vld, rx_rdy=
rx_rdy, tx_vld=tx_vld, tx_rdy=tx_rdy, stage_enable=stage_en,
stop_tx=stop_tx)
s0_dat = Signal(intbv(0)[DATA_WIDTH:])
@always_seq(clk.posedge, reset=rst)
def x():
if stage_en[0]:
s0_dat.next = rx_dat
s1_sum = Signal(intbv(0)[DATA_WIDTH + 2:])
s1_cnt = Signal(intbv(0, min=0, max=4))
@always(clk.posedge)
def x():
if rst:
s1_cnt.next = 0
stop_tx.next[1] = 1
elif stage_en[1]:
s1_cnt.next = (s1_cnt + 1) % 4
if s1_cnt == 0:
s1_sum.next = s0_dat
else:
s1_sum.next = s1_sum.next + s0_dat
if s1_cnt == 3:
stop_tx.next[1] = 0
else:
stop_tx.next[1] = 1
""" stop_tx[1] concerns the data currently registered in stage 1 - it determines whether
the data will be sent to the next pipeline stage (stop_tx==0) or will be dropped (stop_tx==1 ).
The signals stop_rx and stop_tx must be registered """
s2_dat = Signal(intbv(0)[DATA_WIDTH:])
@always_seq(clk.posedge, reset=rst)
def x():
if stage_en[2]:
s2_dat.next = s1_sum // 4
@always_comb
def x():
tx_dat.next = s2_dat
return instances()
| arithmetic_mean4 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rst, clk, rx_rdy, rx_vld, rx_dat, tx_rdy, tx_vld, tx_dat):\n DATA_WIDTH = len(rx_dat)\n NUM_STAGES = 3\n stage_en = Signal(intbv(0)[NUM_STAGES:])\n stop_tx = Signal(intbv(0)[NUM_STAGES:])\n pipe_ctrl = pipeline_control(rst=rst, clk=clk, rx_vld=rx_vld, rx_rdy=\n rx_rdy, tx_vld=tx_vld, tx_rdy=tx_rdy, stage_enable=stage_en,\n stop_tx=stop_tx)\n s0_dat = Signal(intbv(0)[DATA_WIDTH:])\n\n @always_seq(clk.posedge, reset=rst)\n def x():\n if stage_en[0]:\n s0_dat.next = rx_dat\n s1_sum = Signal(intbv(0)[DATA_WIDTH + 2:])\n s1_cnt = Signal(intbv(0, min=0, max=4))\n\n @always(clk.posedge)\n def x():\n if rst:\n s1_cnt.next = 0\n stop_tx.next[1] = 1\n elif stage_en[1]:\n s1_cnt.next = (s1_cnt + 1) % 4\n if s1_cnt == 0:\n s1_sum.next = s0_dat\n else:\n s1_sum.next = s1_sum.next + s0_dat\n if s1_cnt == 3:\n stop_tx.next[1] = 0\n else:\n stop_tx.next[1] = 1\n \"\"\" stop_tx[1] concerns the data currently registered in stage 1 - it determines whether \n the data will be sent to the next pipeline stage (stop_tx==0) or will be dropped (stop_tx==1 ).\n The signals stop_rx and stop_tx must be registered \"\"\"\n s2_dat = Signal(intbv(0)[DATA_WIDTH:])\n\n @always_seq(clk.posedge, reset=rst)\n def x():\n if stage_en[2]:\n s2_dat.next = s1_sum // 4\n\n @always_comb\n def x():\n tx_dat.next = s2_dat\n return instances()\n",
"role": "user"
},
{
"content": "arithmetic_mean4",
"role": "assistant"
}
] |
def x(self, value):
value = super(MongoEmbedded, self).clean(value)
return self.document_class(**value)
| clean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = super(MongoEmbedded, self).clean(value)\n return self.document_class(**value)\n",
"role": "user"
},
{
"content": "clean",
"role": "assistant"
}
] |
def x(self, doc_id):
try:
return self.object_class.objects.get(pk=doc_id)
except self.object_class.DoesNotExist:
raise ReferenceNotFoundError
| fetch_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc_id):\n try:\n return self.object_class.objects.get(pk=doc_id)\n except self.object_class.DoesNotExist:\n raise ReferenceNotFoundError\n",
"role": "user"
},
{
"content": "fetch_object",
"role": "assistant"
}
] |
def x():
desc = 'Generate a sample sheet based on a GEO series matrix.'
parser = cli.get_argument_parser(desc=desc)
g = parser.add_argument_group('Input and output files')
g.add_argument('-s', '--series-matrix-file', type=cli.str_type,
required=True, metavar=cli.file_mv, help='The GEO series matrix file.')
g.add_argument('-o', '--output-file', type=cli.str_type, required=True,
metavar=cli.file_mv, help='The output file.')
g.add_argument('-e', '--encoding', type=cli.str_type, metavar=cli.
str_mv, default='UTF-8', help=
'The encoding of the series matrix file. [UTF-8]')
cli.add_reporting_args(parser)
return parser
| get_argument_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n desc = 'Generate a sample sheet based on a GEO series matrix.'\n parser = cli.get_argument_parser(desc=desc)\n g = parser.add_argument_group('Input and output files')\n g.add_argument('-s', '--series-matrix-file', type=cli.str_type,\n required=True, metavar=cli.file_mv, help='The GEO series matrix file.')\n g.add_argument('-o', '--output-file', type=cli.str_type, required=True,\n metavar=cli.file_mv, help='The output file.')\n g.add_argument('-e', '--encoding', type=cli.str_type, metavar=cli.\n str_mv, default='UTF-8', help=\n 'The encoding of the series matrix file. [UTF-8]')\n cli.add_reporting_args(parser)\n return parser\n",
"role": "user"
},
{
"content": "get_argument_parser",
"role": "assistant"
}
] |
def x(path, encoding):
assert isinstance(path, str)
accessions = None
titles = None
celfile_urls = None
with misc.smart_open_read(path, mode='rb', try_gzip=True) as fh:
reader = csv.reader(fh, dialect='excel-tab', encoding=encoding)
for l in reader:
if not l:
continue
if l[0] == '!Sample_geo_accession':
accessions = l[1:]
elif l[0] == '!Sample_title':
titles = l[1:]
elif l[0] == '!Sample_supplementary_file' and celfile_urls is None:
celfile_urls = l[1:]
elif l[0] == '!series_matrix_table_begin':
break
return accessions, titles, celfile_urls
| read_series_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, encoding):\n assert isinstance(path, str)\n accessions = None\n titles = None\n celfile_urls = None\n with misc.smart_open_read(path, mode='rb', try_gzip=True) as fh:\n reader = csv.reader(fh, dialect='excel-tab', encoding=encoding)\n for l in reader:\n if not l:\n continue\n if l[0] == '!Sample_geo_accession':\n accessions = l[1:]\n elif l[0] == '!Sample_title':\n titles = l[1:]\n elif l[0] == '!Sample_supplementary_file' and celfile_urls is None:\n celfile_urls = l[1:]\n elif l[0] == '!series_matrix_table_begin':\n break\n return accessions, titles, celfile_urls\n",
"role": "user"
},
{
"content": "read_series_matrix",
"role": "assistant"
}
] |
def x(path, accessions, names, celfile_urls, sel=None):
with open(path, 'wb') as ofh:
writer = csv.writer(ofh, dialect='excel-tab', lineterminator=os.
linesep, quoting=csv.QUOTE_NONE)
writer.writerow(['Accession', 'Name', 'CEL file', 'CEL file URL'])
n = len(names)
if sel is None:
sel = range(n)
for i in sel:
cf = celfile_urls[i].split('/')[-1]
writer.writerow([accessions[i], names[i], cf, celfile_urls[i]])
| write_sample_sheet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, accessions, names, celfile_urls, sel=None):\n with open(path, 'wb') as ofh:\n writer = csv.writer(ofh, dialect='excel-tab', lineterminator=os.\n linesep, quoting=csv.QUOTE_NONE)\n writer.writerow(['Accession', 'Name', 'CEL file', 'CEL file URL'])\n n = len(names)\n if sel is None:\n sel = range(n)\n for i in sel:\n cf = celfile_urls[i].split('/')[-1]\n writer.writerow([accessions[i], names[i], cf, celfile_urls[i]])\n",
"role": "user"
},
{
"content": "write_sample_sheet",
"role": "assistant"
}
] |
def x(args=None):
if args is None:
parser = get_argument_parser()
args = parser.parse_args()
series_matrix_file = args.series_matrix_file
output_file = args.output_file
encoding = args.encoding
accessions, titles, celfile_urls = read_series_matrix(series_matrix_file,
encoding=encoding)
write_sample_sheet(output_file, accessions, titles, celfile_urls)
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 series_matrix_file = args.series_matrix_file\n output_file = args.output_file\n encoding = args.encoding\n accessions, titles, celfile_urls = read_series_matrix(series_matrix_file,\n encoding=encoding)\n write_sample_sheet(output_file, accessions, titles, celfile_urls)\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(state):
blueprint = Blueprint('invenio_jsonschemas', __name__)
@blueprint.route('/<path:schema_path>')
def x(schema_path):
try:
schema_dir = state.get_schema_dir(schema_path)
except JSONSchemaNotFound:
abort(404)
resolved = request.args.get('resolved', current_app.config.get(
'JSONSCHEMAS_RESOLVE_SCHEMA'), type=int)
with_refs = request.args.get('refs', current_app.config.get(
'JSONSCHEMAS_REPLACE_REFS'), type=int) or resolved
if resolved or with_refs:
schema = state.get_schema(schema_path, with_refs=with_refs,
resolved=resolved)
return jsonify(schema)
else:
return send_from_directory(schema_dir, schema_path)
return blueprint
| create_blueprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state):\n blueprint = Blueprint('invenio_jsonschemas', __name__)\n\n @blueprint.route('/<path:schema_path>')\n def x(schema_path):\n try:\n schema_dir = state.get_schema_dir(schema_path)\n except JSONSchemaNotFound:\n abort(404)\n resolved = request.args.get('resolved', current_app.config.get(\n 'JSONSCHEMAS_RESOLVE_SCHEMA'), type=int)\n with_refs = request.args.get('refs', current_app.config.get(\n 'JSONSCHEMAS_REPLACE_REFS'), type=int) or resolved\n if resolved or with_refs:\n schema = state.get_schema(schema_path, with_refs=with_refs,\n resolved=resolved)\n return jsonify(schema)\n else:\n return send_from_directory(schema_dir, schema_path)\n return blueprint\n",
"role": "user"
},
{
"content": "create_blueprint",
"role": "assistant"
}
] |
def x(manifest, download_dir, auth_token=None, chunk_size=1048576,
avoid_redownload=True):
assert isinstance(manifest, pd.DataFrame)
assert isinstance(download_dir, str)
assert isinstance(chunk_size, int)
if auth_token is not None:
assert isinstance(auth_token, str)
def x(path):
with open(path, 'rb') as fh:
h = hashlib.md5(fh.read()).hexdigest()
return h
headers = {}
if auth_token is not None:
headers['X-Auth-Token'] = auth_token
num_files = manifest.shape[0]
logger.info('Downloading %d files to "%s"...', num_files, download_dir)
for i, row in manifest.iterrows():
success = False
download_file = os.path.join(download_dir, row['filename'])
if (i + 1) % 100 == 0:
logger.info('Downloading file %d / %d...', i + 1, num_files)
if avoid_redownload and os.path.isfile(download_file
) and get_file_md5hash(download_file) == row['md5']:
logger.info('File %s already downloaded...skipping.', download_file
)
success = True
while not success:
with closing(requests.get('https://gdc-api.nci.nih.gov/data/%s' %
row['id'], headers=headers, stream=True)) as r:
r.raise_for_status()
with open(download_file, 'wb') as ofh:
for chunk in r.iter_content(chunk_size=chunk_size):
if chunk:
ofh.write(chunk)
with open(download_file, 'rb') as fh:
h = hashlib.md5(fh.read()).hexdigest()
if h == row['md5']:
success = True
if not success:
logger.warning(
'Hash value mismatch (should be: %s; is: %s). Attempting to re-download file...'
, row['md5'], h)
| download_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(manifest, download_dir, auth_token=None, chunk_size=1048576,\n avoid_redownload=True):\n assert isinstance(manifest, pd.DataFrame)\n assert isinstance(download_dir, str)\n assert isinstance(chunk_size, int)\n if auth_token is not None:\n assert isinstance(auth_token, str)\n\n def x(path):\n with open(path, 'rb') as fh:\n h = hashlib.md5(fh.read()).hexdigest()\n return h\n headers = {}\n if auth_token is not None:\n headers['X-Auth-Token'] = auth_token\n num_files = manifest.shape[0]\n logger.info('Downloading %d files to \"%s\"...', num_files, download_dir)\n for i, row in manifest.iterrows():\n success = False\n download_file = os.path.join(download_dir, row['filename'])\n if (i + 1) % 100 == 0:\n logger.info('Downloading file %d / %d...', i + 1, num_files)\n if avoid_redownload and os.path.isfile(download_file\n ) and get_file_md5hash(download_file) == row['md5']:\n logger.info('File %s already downloaded...skipping.', download_file\n )\n success = True\n while not success:\n with closing(requests.get('https://gdc-api.nci.nih.gov/data/%s' %\n row['id'], headers=headers, stream=True)) as r:\n r.raise_for_status()\n with open(download_file, 'wb') as ofh:\n for chunk in r.iter_content(chunk_size=chunk_size):\n if chunk:\n ofh.write(chunk)\n with open(download_file, 'rb') as fh:\n h = hashlib.md5(fh.read()).hexdigest()\n if h == row['md5']:\n success = True\n if not success:\n logger.warning(\n 'Hash value mismatch (should be: %s; is: %s). Attempting to re-download file...'\n , row['md5'], h)\n",
"role": "user"
},
{
"content": "download_files",
"role": "assistant"
}
] |
def x(record):
for key in sorted(record.__dict__.keys()):
if key not in ['alignments', 'descriptions', 'reference']:
print('%s: %r' % (key, record.__dict__[key]))
print('alignments: (%d in total):' % len(record.alignments))
for i, alignment in enumerate(record.alignments):
print(' description %d:' % (i + 1))
for attr in ['accession', 'bits', 'e', 'num_alignments', 'score']:
print(' %s: %s' % (attr, getattr(record.descriptions[i], attr)))
print(' alignment %d:' % (i + 1))
for attr in ('accession', 'hit_def', 'hit_id', 'length', 'title'):
print(' %s: %s' % (attr, getattr(alignment, attr)))
print(' HSPs (%d in total):' % len(alignment.hsps))
for hspIndex, hsp in enumerate(alignment.hsps, start=1):
print(' hsp %d:' % hspIndex)
printHSP(hsp, ' ')
| printBlastRecord | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(record):\n for key in sorted(record.__dict__.keys()):\n if key not in ['alignments', 'descriptions', 'reference']:\n print('%s: %r' % (key, record.__dict__[key]))\n print('alignments: (%d in total):' % len(record.alignments))\n for i, alignment in enumerate(record.alignments):\n print(' description %d:' % (i + 1))\n for attr in ['accession', 'bits', 'e', 'num_alignments', 'score']:\n print(' %s: %s' % (attr, getattr(record.descriptions[i], attr)))\n print(' alignment %d:' % (i + 1))\n for attr in ('accession', 'hit_def', 'hit_id', 'length', 'title'):\n print(' %s: %s' % (attr, getattr(alignment, attr)))\n print(' HSPs (%d in total):' % len(alignment.hsps))\n for hspIndex, hsp in enumerate(alignment.hsps, start=1):\n print(' hsp %d:' % hspIndex)\n printHSP(hsp, ' ')\n",
"role": "user"
},
{
"content": "printBlastRecord",
"role": "assistant"
}
] |
def x(hsp, readLen, blastApplication):
def x(locals, msg=None):
print('normalizeHSP error:')
print(' readLen: %d' % readLen)
for var in sorted(locals.keys()):
if var in ('debugPrint', 'hsp'):
continue
print(' %s: %s' % (var, locals[var]))
print(' Original HSP:')
printHSP(hsp, ' ')
if msg:
raise AssertionError(msg)
else:
raise AssertionError()
readPositive = hsp['frame'][0] > 0
hitPositive = hsp['frame'][1] > 0
read_start = hsp['query_start']
read_end = hsp['query_end']
sbjct_start = hsp['sbjct_start']
sbjct_end = hsp['sbjct_end']
if read_start > read_end:
debugPrint(locals(),
'Assertion "read_start <= read_end" failed. Read positive is %s. read_start = %d, read_end = %d'
% (readPositive, read_start, read_end))
if hitPositive:
if sbjct_start > sbjct_end:
debugPrint(locals())
elif sbjct_start > sbjct_end:
sbjct_start, sbjct_end = sbjct_end, sbjct_start
readStartInSubject = read_start - 1
readEndInSubject = read_end
subjectStart = sbjct_start - 1
subjectEnd = sbjct_end
if blastApplication == 'blastx':
readStartInSubject = int(readStartInSubject / 3)
readEndInSubject = int(readEndInSubject / 3)
subjectLength = subjectEnd - subjectStart
readLength = readEndInSubject - readStartInSubject
hitGaps = hsp['sbjct'].count('-')
readGaps = hsp['query'].count('-')
subjectLengthWithGaps = subjectLength + hitGaps
readLengthWithGaps = readLength + readGaps
if subjectLengthWithGaps != readLengthWithGaps:
debugPrint(locals(),
'Including gaps, hit match length (%d) != Read match length (%d)' %
(subjectLengthWithGaps, readLengthWithGaps))
if readPositive:
unmatchedReadLeft = readStartInSubject
else:
unmatchedReadLeft = readLen - readEndInSubject
if hitPositive:
readStartInSubject = subjectStart - unmatchedReadLeft
readEndInSubject = readStartInSubject + readLen + readGaps
else:
readEndInSubject = subjectEnd + unmatchedReadLeft
readStartInSubject = readEndInSubject - readLen - readGaps
if readStartInSubject > subjectStart:
debugPrint(locals(), 'readStartInSubject > subjectStart')
if readEndInSubject < subjectEnd:
debugPrint(locals(), 'readEndInSubject < subjectEnd')
return {'readStart': read_start - 1, 'readEnd': read_end,
'readStartInSubject': readStartInSubject, 'readEndInSubject':
readEndInSubject, '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, readLen, blastApplication):\n\n def x(locals, msg=None):\n print('normalizeHSP error:')\n print(' readLen: %d' % readLen)\n for var in sorted(locals.keys()):\n if var in ('debugPrint', 'hsp'):\n continue\n print(' %s: %s' % (var, locals[var]))\n print(' Original HSP:')\n printHSP(hsp, ' ')\n if msg:\n raise AssertionError(msg)\n else:\n raise AssertionError()\n readPositive = hsp['frame'][0] > 0\n hitPositive = hsp['frame'][1] > 0\n read_start = hsp['query_start']\n read_end = hsp['query_end']\n sbjct_start = hsp['sbjct_start']\n sbjct_end = hsp['sbjct_end']\n if read_start > read_end:\n debugPrint(locals(), \n 'Assertion \"read_start <= read_end\" failed. Read positive is %s. read_start = %d, read_end = %d'\n % (readPositive, read_start, read_end))\n if hitPositive:\n if sbjct_start > sbjct_end:\n debugPrint(locals())\n elif sbjct_start > sbjct_end:\n sbjct_start, sbjct_end = sbjct_end, sbjct_start\n readStartInSubject = read_start - 1\n readEndInSubject = read_end\n subjectStart = sbjct_start - 1\n subjectEnd = sbjct_end\n if blastApplication == 'blastx':\n readStartInSubject = int(readStartInSubject / 3)\n readEndInSubject = int(readEndInSubject / 3)\n subjectLength = subjectEnd - subjectStart\n readLength = readEndInSubject - readStartInSubject\n hitGaps = hsp['sbjct'].count('-')\n readGaps = hsp['query'].count('-')\n subjectLengthWithGaps = subjectLength + hitGaps\n readLengthWithGaps = readLength + readGaps\n if subjectLengthWithGaps != readLengthWithGaps:\n debugPrint(locals(), \n 'Including gaps, hit match length (%d) != Read match length (%d)' %\n (subjectLengthWithGaps, readLengthWithGaps))\n if readPositive:\n unmatchedReadLeft = readStartInSubject\n else:\n unmatchedReadLeft = readLen - readEndInSubject\n if hitPositive:\n readStartInSubject = subjectStart - unmatchedReadLeft\n readEndInSubject = readStartInSubject + readLen + readGaps\n else:\n readEndInSubject = subjectEnd + unmatchedReadLeft\n readStartInSubject = readEndInSubject - readLen - readGaps\n if readStartInSubject > subjectStart:\n debugPrint(locals(), 'readStartInSubject > subjectStart')\n if readEndInSubject < subjectEnd:\n debugPrint(locals(), 'readEndInSubject < subjectEnd')\n return {'readStart': read_start - 1, 'readEnd': read_end,\n 'readStartInSubject': readStartInSubject, 'readEndInSubject':\n readEndInSubject, 'subjectStart': subjectStart, 'subjectEnd':\n subjectEnd}\n",
"role": "user"
},
{
"content": "normalizeHSP",
"role": "assistant"
}
] |
def x(path_or_buffer, gene_ontology, valid_genes=None, db=None, ev_codes=None):
assert isinstance(gene_ontology, GeneOntology)
if db is not None:
assert isinstance(db, (str, _oldstr))
if ev_codes is not None and ev_codes:
assert isinstance(ev_codes, (str, _oldstr)) or isinstance(ev_codes,
Iterable)
if isinstance(ev_codes, str):
ev_codes = set([ev_codes])
elif ev_codes is not None and ev_codes:
ev_codes = set(ev_codes)
else:
ev_codes = None
if isinstance(path_or_buffer, (str, _oldstr)):
buffer = misc.gzip_open_text(path_or_buffer, encoding='ascii')
else:
buffer = path_or_buffer
if valid_genes is not None:
valid_genes = set(valid_genes)
df = pd.read_csv(buffer, sep='\t', comment='!', header=None, dtype=_oldstr)
df.fillna('', inplace=True)
all_go_term_ids = set(gene_ontology._term_dict.keys())
sel = df.iloc[:, 4].isin(all_go_term_ids)
logger.info('Ignoring %d / %d annotations (%.1f %%) with unknown GO terms.'
, (~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))
df = df.loc[sel]
if valid_genes is not None:
sel = df.iloc[:, 2].isin(valid_genes)
logger.info(
'Ignoring %d / %d annotations (%.1f %%) with unknown genes.', (
~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))
df = df.loc[sel]
if db is not None:
sel = df.iloc[:, 0] == db
logger.info(
'Excluding %d / %d annotations (%.1f %%) with wrong DB values.',
(~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))
df = df.loc[sel]
if ev_codes is not None:
sel = df.iloc[:, 6].isin(ev_codes)
logger.info(
'Excluding %d / %d annotations (%.1f %%) based on evidence code.',
(~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))
df = df.loc[sel]
go_annotations = []
for i, l in df.iterrows():
ann = GOAnnotation.from_list(gene_ontology, l.tolist())
go_annotations.append(ann)
logger.info('Read %d GO annotations.', len(go_annotations))
return go_annotations
| parse_gaf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_or_buffer, gene_ontology, valid_genes=None, db=None, ev_codes=None):\n assert isinstance(gene_ontology, GeneOntology)\n if db is not None:\n assert isinstance(db, (str, _oldstr))\n if ev_codes is not None and ev_codes:\n assert isinstance(ev_codes, (str, _oldstr)) or isinstance(ev_codes,\n Iterable)\n if isinstance(ev_codes, str):\n ev_codes = set([ev_codes])\n elif ev_codes is not None and ev_codes:\n ev_codes = set(ev_codes)\n else:\n ev_codes = None\n if isinstance(path_or_buffer, (str, _oldstr)):\n buffer = misc.gzip_open_text(path_or_buffer, encoding='ascii')\n else:\n buffer = path_or_buffer\n if valid_genes is not None:\n valid_genes = set(valid_genes)\n df = pd.read_csv(buffer, sep='\\t', comment='!', header=None, dtype=_oldstr)\n df.fillna('', inplace=True)\n all_go_term_ids = set(gene_ontology._term_dict.keys())\n sel = df.iloc[:, 4].isin(all_go_term_ids)\n logger.info('Ignoring %d / %d annotations (%.1f %%) with unknown GO terms.'\n , (~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))\n df = df.loc[sel]\n if valid_genes is not None:\n sel = df.iloc[:, 2].isin(valid_genes)\n logger.info(\n 'Ignoring %d / %d annotations (%.1f %%) with unknown genes.', (\n ~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))\n df = df.loc[sel]\n if db is not None:\n sel = df.iloc[:, 0] == db\n logger.info(\n 'Excluding %d / %d annotations (%.1f %%) with wrong DB values.',\n (~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))\n df = df.loc[sel]\n if ev_codes is not None:\n sel = df.iloc[:, 6].isin(ev_codes)\n logger.info(\n 'Excluding %d / %d annotations (%.1f %%) based on evidence code.',\n (~sel).sum(), sel.size, 100 * ((~sel).sum() / float(sel.size)))\n df = df.loc[sel]\n go_annotations = []\n for i, l in df.iterrows():\n ann = GOAnnotation.from_list(gene_ontology, l.tolist())\n go_annotations.append(ann)\n logger.info('Read %d GO annotations.', len(go_annotations))\n return go_annotations\n",
"role": "user"
},
{
"content": "parse_gaf",
"role": "assistant"
}
] |
def x(go_annotations):
go_term_genes = OrderedDict()
term_ids = {}
for ann in go_annotations:
term_ids[ann.go_term.id] = ann.go_term
try:
go_term_genes[ann.go_term.id].append(ann.db_symbol)
except KeyError:
go_term_genes[ann.go_term.id] = [ann.db_symbol]
go_term_genes = OrderedDict(sorted(go_term_genes.items()))
gene_sets = []
for tid, genes in go_term_genes.items():
go_term = term_ids[tid]
gs = GeneSet(id=tid, name=go_term.name, genes=genes, source='GO',
collection=go_term.domain_short, description=go_term.definition)
gene_sets.append(gs)
gene_sets = GeneSetCollection(gene_sets)
return gene_sets
| get_goa_gene_sets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(go_annotations):\n go_term_genes = OrderedDict()\n term_ids = {}\n for ann in go_annotations:\n term_ids[ann.go_term.id] = ann.go_term\n try:\n go_term_genes[ann.go_term.id].append(ann.db_symbol)\n except KeyError:\n go_term_genes[ann.go_term.id] = [ann.db_symbol]\n go_term_genes = OrderedDict(sorted(go_term_genes.items()))\n gene_sets = []\n for tid, genes in go_term_genes.items():\n go_term = term_ids[tid]\n gs = GeneSet(id=tid, name=go_term.name, genes=genes, source='GO',\n collection=go_term.domain_short, description=go_term.definition)\n gene_sets.append(gs)\n gene_sets = GeneSetCollection(gene_sets)\n return gene_sets\n",
"role": "user"
},
{
"content": "get_goa_gene_sets",
"role": "assistant"
}
] |
def x(rst, clk, rx_rdy, rx_vld, tx_rdy, tx_vld, stage_enable, stop_rx=None,
stop_tx=None):
NUM_STAGES = len(stage_enable)
if stop_rx == None:
stop_rx = Signal(intbv(0)[NUM_STAGES:])
if stop_tx == None:
stop_tx = Signal(intbv(0)[NUM_STAGES:])
assert len(stop_rx
) == NUM_STAGES, 'pipeline_control: expects len(stop_rx)=len(stage_enable), but len(stop_rx)={} len(stage_enable)={}'.format(
len(stop_rx), NUM_STAGES)
assert len(stop_tx
) == NUM_STAGES, 'pipeline_control: expects len(stop_tx)=len(stage_enable), but len(stop_tx)={} len(stage_enable)={}'.format(
len(stop_tx), NUM_STAGES)
vld_reg = Signal(intbv(0)[NUM_STAGES:])
vld = Signal(intbv(0)[NUM_STAGES:])
rdy = Signal(intbv(0)[NUM_STAGES:])
rdy_s = Signal(intbv(0)[NUM_STAGES:])
@always_seq(clk.posedge, reset=rst)
def x():
for s in range(NUM_STAGES):
if rdy[s]:
vld_reg.next[s] = vld[s]
@always_comb
def x():
vld.next[0] = rx_vld or stop_rx[0]
rdy.next[NUM_STAGES - 1] = tx_rdy or stop_tx[NUM_STAGES - 1
] or not vld_reg[NUM_STAGES - 1]
for i in range(1, NUM_STAGES):
vld.next[i] = vld_reg[i - 1] and not stop_tx[i - 1] or stop_rx[i]
rdy.next[NUM_STAGES - 1 - i] = rdy_s[NUM_STAGES - 1 - i + 1
] and not stop_rx[NUM_STAGES - 1 - i + 1] or stop_tx[
NUM_STAGES - 1 - i]
@always_comb
def x():
tx_vld.next = vld_reg[NUM_STAGES - 1] and not stop_tx[NUM_STAGES - 1]
rx_rdy.next = rdy[0] and not stop_rx[0]
stage_enable.next = vld[NUM_STAGES:] & rdy[NUM_STAGES:]
rdy_s.next = rdy
return instances()
| pipeline_control | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rst, clk, rx_rdy, rx_vld, tx_rdy, tx_vld, stage_enable, stop_rx=None,\n stop_tx=None):\n NUM_STAGES = len(stage_enable)\n if stop_rx == None:\n stop_rx = Signal(intbv(0)[NUM_STAGES:])\n if stop_tx == None:\n stop_tx = Signal(intbv(0)[NUM_STAGES:])\n assert len(stop_rx\n ) == NUM_STAGES, 'pipeline_control: expects len(stop_rx)=len(stage_enable), but len(stop_rx)={} len(stage_enable)={}'.format(\n len(stop_rx), NUM_STAGES)\n assert len(stop_tx\n ) == NUM_STAGES, 'pipeline_control: expects len(stop_tx)=len(stage_enable), but len(stop_tx)={} len(stage_enable)={}'.format(\n len(stop_tx), NUM_STAGES)\n vld_reg = Signal(intbv(0)[NUM_STAGES:])\n vld = Signal(intbv(0)[NUM_STAGES:])\n rdy = Signal(intbv(0)[NUM_STAGES:])\n rdy_s = Signal(intbv(0)[NUM_STAGES:])\n\n @always_seq(clk.posedge, reset=rst)\n def x():\n for s in range(NUM_STAGES):\n if rdy[s]:\n vld_reg.next[s] = vld[s]\n\n @always_comb\n def x():\n vld.next[0] = rx_vld or stop_rx[0]\n rdy.next[NUM_STAGES - 1] = tx_rdy or stop_tx[NUM_STAGES - 1\n ] or not vld_reg[NUM_STAGES - 1]\n for i in range(1, NUM_STAGES):\n vld.next[i] = vld_reg[i - 1] and not stop_tx[i - 1] or stop_rx[i]\n rdy.next[NUM_STAGES - 1 - i] = rdy_s[NUM_STAGES - 1 - i + 1\n ] and not stop_rx[NUM_STAGES - 1 - i + 1] or stop_tx[\n NUM_STAGES - 1 - i]\n\n @always_comb\n def x():\n tx_vld.next = vld_reg[NUM_STAGES - 1] and not stop_tx[NUM_STAGES - 1]\n rx_rdy.next = rdy[0] and not stop_rx[0]\n stage_enable.next = vld[NUM_STAGES:] & rdy[NUM_STAGES:]\n rdy_s.next = rdy\n return instances()\n",
"role": "user"
},
{
"content": "pipeline_control",
"role": "assistant"
}
] |
def x(rst, clk, rx_rdy, rx_vld, tx_rdy, tx_vld, stage_enable, stop_rx=None,
stop_tx=None):
NUM_STAGES = len(stage_enable)
if stop_rx == None:
stop_rx = Signal(intbv(0)[NUM_STAGES:])
if stop_tx == None:
stop_tx = Signal(intbv(0)[NUM_STAGES:])
assert len(stop_rx
) == NUM_STAGES, 'pipeline_control: expects len(stop_rx)=len(stage_enable), but len(stop_rx)={} len(stage_enable)={}'.format(
len(stop_rx), NUM_STAGES)
assert len(stop_tx
) == NUM_STAGES, 'pipeline_control: expects len(stop_tx)=len(stage_enable), but len(stop_tx)={} len(stage_enable)={}'.format(
len(stop_tx), NUM_STAGES)
rdy = [Signal(bool(0)) for _ in range(NUM_STAGES + 1)]
vld = [Signal(bool(0)) for _ in range(NUM_STAGES + 1)]
BC = NUM_STAGES * [False]
en = [Signal(bool(0)) for _ in range(NUM_STAGES)]
stop_rx_s = [Signal(bool(0)) for _ in range(NUM_STAGES)]
stop_tx_s = [Signal(bool(0)) for _ in range(NUM_STAGES)]
rdy[0] = rx_rdy
vld[0] = rx_vld
rdy[-1] = tx_rdy
vld[-1] = tx_vld
BC[-1] = True
stg = [None for _ in range(NUM_STAGES)]
for i in range(NUM_STAGES):
stg[i] = _stage_ctrl(rst=rst, clk=clk, rx_rdy=rdy[i], rx_vld=vld[i],
tx_rdy=rdy[i + 1], tx_vld=vld[i + 1], stage_en=en[i], stop_rx=
stop_rx_s[i], stop_tx=stop_tx_s[i], BC=BC[i])
x = en[0] if NUM_STAGES == 1 else ConcatSignal(*reversed(en))
@always_comb
def x():
stage_enable.next = x
for i in range(NUM_STAGES):
stop_rx_s[i].next = stop_rx[i]
stop_tx_s[i].next = stop_tx[i]
return instances()
| pipeline_control_new | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rst, clk, rx_rdy, rx_vld, tx_rdy, tx_vld, stage_enable, stop_rx=None,\n stop_tx=None):\n NUM_STAGES = len(stage_enable)\n if stop_rx == None:\n stop_rx = Signal(intbv(0)[NUM_STAGES:])\n if stop_tx == None:\n stop_tx = Signal(intbv(0)[NUM_STAGES:])\n assert len(stop_rx\n ) == NUM_STAGES, 'pipeline_control: expects len(stop_rx)=len(stage_enable), but len(stop_rx)={} len(stage_enable)={}'.format(\n len(stop_rx), NUM_STAGES)\n assert len(stop_tx\n ) == NUM_STAGES, 'pipeline_control: expects len(stop_tx)=len(stage_enable), but len(stop_tx)={} len(stage_enable)={}'.format(\n len(stop_tx), NUM_STAGES)\n rdy = [Signal(bool(0)) for _ in range(NUM_STAGES + 1)]\n vld = [Signal(bool(0)) for _ in range(NUM_STAGES + 1)]\n BC = NUM_STAGES * [False]\n en = [Signal(bool(0)) for _ in range(NUM_STAGES)]\n stop_rx_s = [Signal(bool(0)) for _ in range(NUM_STAGES)]\n stop_tx_s = [Signal(bool(0)) for _ in range(NUM_STAGES)]\n rdy[0] = rx_rdy\n vld[0] = rx_vld\n rdy[-1] = tx_rdy\n vld[-1] = tx_vld\n BC[-1] = True\n stg = [None for _ in range(NUM_STAGES)]\n for i in range(NUM_STAGES):\n stg[i] = _stage_ctrl(rst=rst, clk=clk, rx_rdy=rdy[i], rx_vld=vld[i],\n tx_rdy=rdy[i + 1], tx_vld=vld[i + 1], stage_en=en[i], stop_rx=\n stop_rx_s[i], stop_tx=stop_tx_s[i], BC=BC[i])\n x = en[0] if NUM_STAGES == 1 else ConcatSignal(*reversed(en))\n\n @always_comb\n def x():\n stage_enable.next = x\n for i in range(NUM_STAGES):\n stop_rx_s[i].next = stop_rx[i]\n stop_tx_s[i].next = stop_tx[i]\n return instances()\n",
"role": "user"
},
{
"content": "pipeline_control_new",
"role": "assistant"
}
] |
def x(rst, clk, rx_rdy, rx_vld, tx_rdy, tx_vld, stage_en, stop_rx=None,
stop_tx=None, BC=False):
if stop_rx == None:
stop_rx = False
if stop_tx == None:
stop_tx = False
state = Signal(bool(0))
a = Signal(bool(0))
b = Signal(bool(0))
bc_link = state if BC else True
@always_comb
def x():
a.next = tx_rdy or stop_tx or not bc_link
b.next = rx_vld or stop_rx
@always_comb
def x():
rx_rdy.next = a and not stop_rx
tx_vld.next = state and not stop_tx
stage_en.next = a and b
@always_seq(clk.posedge, reset=rst)
def x():
if a:
state.next = b
return _comb1, _comb2, _state
| stage_ctrl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rst, clk, rx_rdy, rx_vld, tx_rdy, tx_vld, stage_en, stop_rx=None,\n stop_tx=None, BC=False):\n if stop_rx == None:\n stop_rx = False\n if stop_tx == None:\n stop_tx = False\n state = Signal(bool(0))\n a = Signal(bool(0))\n b = Signal(bool(0))\n bc_link = state if BC else True\n\n @always_comb\n def x():\n a.next = tx_rdy or stop_tx or not bc_link\n b.next = rx_vld or stop_rx\n\n @always_comb\n def x():\n rx_rdy.next = a and not stop_rx\n tx_vld.next = state and not stop_tx\n stage_en.next = a and b\n\n @always_seq(clk.posedge, reset=rst)\n def x():\n if a:\n state.next = b\n return _comb1, _comb2, _state\n",
"role": "user"
},
{
"content": "stage_ctrl",
"role": "assistant"
}
] |
def x(hsp, queryLen, localDict, msg=''):
print('normalizeHSP error:', file=sys.stderr)
print(' queryLen: %d' % queryLen, file=sys.stderr)
print(' Original HSP:', file=sys.stderr)
for attr in ['bits', 'btop', 'expect', 'frame', 'query_end',
'query_start', 'sbjct', 'query', 'sbjct_end', 'sbjct_start']:
print(' %s: %r' % (attr, hsp[attr]), file=sys.stderr)
print(' Local variables:', file=sys.stderr)
for var in sorted(localDict):
if var != 'hsp':
print(' %s: %s' % (var, localDict[var]), file=sys.stderr)
raise AssertionError(msg)
| debugPrint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hsp, queryLen, localDict, msg=''):\n print('normalizeHSP error:', file=sys.stderr)\n print(' queryLen: %d' % queryLen, file=sys.stderr)\n print(' Original HSP:', file=sys.stderr)\n for attr in ['bits', 'btop', 'expect', 'frame', 'query_end',\n 'query_start', 'sbjct', 'query', 'sbjct_end', 'sbjct_start']:\n print(' %s: %r' % (attr, hsp[attr]), file=sys.stderr)\n print(' Local variables:', file=sys.stderr)\n for var in sorted(localDict):\n if var != 'hsp':\n print(' %s: %s' % (var, localDict[var]), file=sys.stderr)\n raise AssertionError(msg)\n",
"role": "user"
},
{
"content": "debugPrint",
"role": "assistant"
}
] |
def x(subjectStart, subjectEnd, queryStart, queryEnd, queryStartInSubject,
queryEndInSubject, hsp, queryLen, subjectGaps, queryGaps, localDict):
if subjectStart >= subjectEnd:
_debugPrint(hsp, queryLen, localDict, 'subjectStart >= subjectEnd')
subjectMatchLength = subjectEnd - subjectStart
queryMatchLength = queryEnd - queryStart
subjectMatchLengthWithGaps = subjectMatchLength + subjectGaps
queryMatchLengthWithGaps = queryMatchLength + queryGaps
if subjectMatchLengthWithGaps != queryMatchLengthWithGaps:
_debugPrint(hsp, queryLen, localDict,
'Including gaps, subject match length (%d) != Query match length (%d)'
% (subjectMatchLengthWithGaps, queryMatchLengthWithGaps))
if queryStartInSubject > subjectStart:
_debugPrint(hsp, queryLen, localDict,
'queryStartInSubject (%d) > subjectStart (%d)' % (
queryStartInSubject, subjectStart))
if queryEndInSubject < subjectEnd:
_debugPrint(hsp, queryLen, localDict,
'queryEndInSubject (%d) < subjectEnd (%d)' % (queryEndInSubject,
subjectEnd))
| sanityCheck | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subjectStart, subjectEnd, queryStart, queryEnd, queryStartInSubject,\n queryEndInSubject, hsp, queryLen, subjectGaps, queryGaps, localDict):\n if subjectStart >= subjectEnd:\n _debugPrint(hsp, queryLen, localDict, 'subjectStart >= subjectEnd')\n subjectMatchLength = subjectEnd - subjectStart\n queryMatchLength = queryEnd - queryStart\n subjectMatchLengthWithGaps = subjectMatchLength + subjectGaps\n queryMatchLengthWithGaps = queryMatchLength + queryGaps\n if subjectMatchLengthWithGaps != queryMatchLengthWithGaps:\n _debugPrint(hsp, queryLen, localDict, \n 'Including gaps, subject match length (%d) != Query match length (%d)'\n % (subjectMatchLengthWithGaps, queryMatchLengthWithGaps))\n if queryStartInSubject > subjectStart:\n _debugPrint(hsp, queryLen, localDict, \n 'queryStartInSubject (%d) > subjectStart (%d)' % (\n queryStartInSubject, subjectStart))\n if queryEndInSubject < subjectEnd:\n _debugPrint(hsp, queryLen, localDict, \n 'queryEndInSubject (%d) < subjectEnd (%d)' % (queryEndInSubject,\n subjectEnd))\n",
"role": "user"
},
{
"content": "sanityCheck",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.