source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(document, notifications):
validator = libsbml.SBMLValidator()
validator.validate(document)
for i in range(document.getNumErrors()):
notifications['errors'].append(format_failure(document.getError(i)))
for i in range(validator.getNumFailures()):
failure = validator.getFailure(i)
if failure.isWarning():
notifications['warnings'].append(format_failure(failure))
else:
notifications['errors'].append(format_failure(failure))
| run_sbml_validation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(document, notifications):\n validator = libsbml.SBMLValidator()\n validator.validate(document)\n for i in range(document.getNumErrors()):\n notifications['errors'].append(format_failure(document.getError(i)))\n for i in range(validator.getNumFailures()):\n failure = validator.getFailure(i)\n if failure.isWarning():\n notifications['warnings'].append(format_failure(failure))\n else:\n notifications['errors'].append(format_failure(failure))\n",
"role": "user"
},
{
"content": "run_sbml_validation",
"role": "assistant"
}
] |
def x(self, result, commit=None, **kwargs):
git_info = self.record_git_info(commit)
try:
row = self.session.query(Result).filter_by(hexsha=git_info.hexsha).one(
)
LOGGER.info("Updating result '%s'.", git_info.hexsha)
row.memote_result = result
except NoResultFound:
row = Result(memote_result=result)
LOGGER.info("Storing result '%s'.", git_info.hexsha)
row.hexsha = git_info.hexsha
row.author = git_info.author
row.email = git_info.email
row.authored_on = git_info.authored_on
self.session.add(row)
self.session.commit()
| store | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, commit=None, **kwargs):\n git_info = self.record_git_info(commit)\n try:\n row = self.session.query(Result).filter_by(hexsha=git_info.hexsha).one(\n )\n LOGGER.info(\"Updating result '%s'.\", git_info.hexsha)\n row.memote_result = result\n except NoResultFound:\n row = Result(memote_result=result)\n LOGGER.info(\"Storing result '%s'.\", git_info.hexsha)\n row.hexsha = git_info.hexsha\n row.author = git_info.author\n row.email = git_info.email\n row.authored_on = git_info.authored_on\n self.session.add(row)\n self.session.commit()\n",
"role": "user"
},
{
"content": "store",
"role": "assistant"
}
] |
def x(self, commit=None):
git_info = self.record_git_info(commit)
LOGGER.info("Loading result from '%s'.", git_info.hexsha)
result = MemoteResult(self.session.query(Result.memote_result).
filter_by(hexsha=git_info.hexsha).one().memote_result)
self.add_git(result.meta, git_info)
return result
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commit=None):\n git_info = self.record_git_info(commit)\n LOGGER.info(\"Loading result from '%s'.\", git_info.hexsha)\n result = MemoteResult(self.session.query(Result.memote_result).\n filter_by(hexsha=git_info.hexsha).one().memote_result)\n self.add_git(result.meta, git_info)\n return result\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
def x(data):
if type == 'percent' or data is None:
return []
if type == 'count':
return len(data)
return data
base = dict()
tests = base.setdefault('tests', dict())
score = base.setdefault('score', dict())
score_collection = score.setdefault('total_score', dict())
for branch, commits in self._history.iter_branches():
for commit in reversed(commits):
result = self.result = self._history.get_result(commit)
self.compute_score()
total_score = self.result['score']['total_score']
score_collection.setdefault('history', list())
score_collection['format_type'] = 'score'
score_collection['history'].append({'branch': branch, 'commit':
commit, 'metric': total_score})
for test in result.cases:
tests.setdefault(test, dict())
if 'title' not in tests[test]:
tests[test]['title'] = result.cases[test]['title']
if 'summary' not in tests[test]:
tests[test]['summary'] = result.cases[test]['summary']
if 'type' not in tests[test]:
tests[test]['format_type'] = result.cases[test][
'format_type']
type = tests[test]['format_type']
metric = result.cases[test].get('metric')
data = result.cases[test].get('data')
res = result.cases[test].get('result')
if isinstance(metric, dict):
tests[test].setdefault('history', dict())
for param in metric:
tests[test]['history'].setdefault(param, list()
).append({'branch': branch, 'commit': commit,
'metric': metric.get(param), 'data':
format_data(data.get(param)), 'result': res.get
(param)})
else:
tests[test].setdefault('history', list()).append({
'branch': branch, 'commit': commit, 'metric':
metric, 'data': format_data(data), 'result': res})
return base
| collect_history | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(data):\n if type == 'percent' or data is None:\n return []\n if type == 'count':\n return len(data)\n return data\n base = dict()\n tests = base.setdefault('tests', dict())\n score = base.setdefault('score', dict())\n score_collection = score.setdefault('total_score', dict())\n for branch, commits in self._history.iter_branches():\n for commit in reversed(commits):\n result = self.result = self._history.get_result(commit)\n self.compute_score()\n total_score = self.result['score']['total_score']\n score_collection.setdefault('history', list())\n score_collection['format_type'] = 'score'\n score_collection['history'].append({'branch': branch, 'commit':\n commit, 'metric': total_score})\n for test in result.cases:\n tests.setdefault(test, dict())\n if 'title' not in tests[test]:\n tests[test]['title'] = result.cases[test]['title']\n if 'summary' not in tests[test]:\n tests[test]['summary'] = result.cases[test]['summary']\n if 'type' not in tests[test]:\n tests[test]['format_type'] = result.cases[test][\n 'format_type']\n type = tests[test]['format_type']\n metric = result.cases[test].get('metric')\n data = result.cases[test].get('data')\n res = result.cases[test].get('result')\n if isinstance(metric, dict):\n tests[test].setdefault('history', dict())\n for param in metric:\n tests[test]['history'].setdefault(param, list()\n ).append({'branch': branch, 'commit': commit,\n 'metric': metric.get(param), 'data':\n format_data(data.get(param)), 'result': res.get\n (param)})\n else:\n tests[test].setdefault('history', list()).append({\n 'branch': branch, 'commit': commit, 'metric':\n metric, 'data': format_data(data), 'result': res})\n return base\n",
"role": "user"
},
{
"content": "collect_history",
"role": "assistant"
}
] |
def x(self, diff_results):
base = dict()
meta = base.setdefault('meta', dict())
tests = base.setdefault('tests', dict())
score = base.setdefault('score', dict())
for model_filename, result in iteritems(diff_results):
if meta == dict():
meta = result['meta']
for test_id, test_results in iteritems(result['tests']):
tests.setdefault(test_id, dict())
if tests[test_id] == dict():
tests[test_id]['summary'] = test_results['summary']
tests[test_id]['title'] = test_results['title']
tests[test_id]['format_type'] = test_results['format_type']
if isinstance(test_results['metric'], dict):
tests[test_id].setdefault('diff', dict())
for param in test_results['metric']:
tests[test_id]['diff'].setdefault(param, list()).append({
'model': model_filename, 'data': test_results[
'data'].setdefault(param), 'duration': test_results
['duration'].setdefault(param), 'message':
test_results['message'].setdefault(param), 'metric':
test_results['metric'].setdefault(param), 'result':
test_results['result'].setdefault(param)})
else:
tests[test_id].setdefault('diff', list())
tests[test_id]['diff'].append({'model': model_filename,
'data': test_results.setdefault('data'), 'duration':
test_results.setdefault('duration'), 'message':
test_results.setdefault('message'), 'metric':
test_results.setdefault('metric'), 'result':
test_results.setdefault('result')})
self.result = result
self.compute_score()
score.setdefault('total_score', dict()).setdefault('diff', list())
score.setdefault('sections', dict()).setdefault('diff', list())
score['total_score']['diff'].append({'model': model_filename,
'total_score': self.result['score']['total_score']})
for section in self.result['score']['sections']:
section.update({'model': model_filename})
score['sections']['diff'].append(section)
return base
| format_and_score_diff_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, diff_results):\n base = dict()\n meta = base.setdefault('meta', dict())\n tests = base.setdefault('tests', dict())\n score = base.setdefault('score', dict())\n for model_filename, result in iteritems(diff_results):\n if meta == dict():\n meta = result['meta']\n for test_id, test_results in iteritems(result['tests']):\n tests.setdefault(test_id, dict())\n if tests[test_id] == dict():\n tests[test_id]['summary'] = test_results['summary']\n tests[test_id]['title'] = test_results['title']\n tests[test_id]['format_type'] = test_results['format_type']\n if isinstance(test_results['metric'], dict):\n tests[test_id].setdefault('diff', dict())\n for param in test_results['metric']:\n tests[test_id]['diff'].setdefault(param, list()).append({\n 'model': model_filename, 'data': test_results[\n 'data'].setdefault(param), 'duration': test_results\n ['duration'].setdefault(param), 'message':\n test_results['message'].setdefault(param), 'metric':\n test_results['metric'].setdefault(param), 'result':\n test_results['result'].setdefault(param)})\n else:\n tests[test_id].setdefault('diff', list())\n tests[test_id]['diff'].append({'model': model_filename,\n 'data': test_results.setdefault('data'), 'duration':\n test_results.setdefault('duration'), 'message':\n test_results.setdefault('message'), 'metric':\n test_results.setdefault('metric'), 'result':\n test_results.setdefault('result')})\n self.result = result\n self.compute_score()\n score.setdefault('total_score', dict()).setdefault('diff', list())\n score.setdefault('sections', dict()).setdefault('diff', list())\n score['total_score']['diff'].append({'model': model_filename,\n 'total_score': self.result['score']['total_score']})\n for section in self.result['score']['sections']:\n section.update({'model': model_filename})\n score['sections']['diff'].append(section)\n return base\n",
"role": "user"
},
{
"content": "format_and_score_diff_data",
"role": "assistant"
}
] |
def x(mnx_db, shortlist):
xref = mnx_db.loc[mnx_db['MNX_ID'].isin(shortlist['MNX_ID']), :]
xref = xref.loc[xref['XREF'] != xref['MNX_ID'], :]
xref[['XREF_ID', 'XREF']] = xref['XREF'].str.split(':', n=1, expand=True)
xref = xref.groupby(['MNX_ID', 'XREF_ID'], as_index=False, sort=False)[
'XREF'].apply(list).unstack('XREF_ID')
xref['mnx'] = [[x] for x in xref.index]
return xref.T
| generate_shortlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mnx_db, shortlist):\n xref = mnx_db.loc[mnx_db['MNX_ID'].isin(shortlist['MNX_ID']), :]\n xref = xref.loc[xref['XREF'] != xref['MNX_ID'], :]\n xref[['XREF_ID', 'XREF']] = xref['XREF'].str.split(':', n=1, expand=True)\n xref = xref.groupby(['MNX_ID', 'XREF_ID'], as_index=False, sort=False)[\n 'XREF'].apply(list).unstack('XREF_ID')\n xref['mnx'] = [[x] for x in xref.index]\n return xref.T\n",
"role": "user"
},
{
"content": "generate_shortlist",
"role": "assistant"
}
] |
def x(mnx_dump):
LOGGER.info('Read shortlist.')
targets = pd.read_table(join(dirname(__file__), 'shortlist.tsv'))
if not exists(mnx_dump):
LOGGER.info("MetaNetX dump '%s' does not exist. Downloading...",
mnx_dump)
with open(mnx_dump, 'wb') as file_handle, get(
'https://www.metanetx.org/cgi-bin/mnxget/mnxref/chem_xref.tsv',
stream=True) as stream:
for chunk in stream.iter_content(chunk_size=1024):
file_handle.write(chunk)
LOGGER.info('Done.')
LOGGER.info('Read the MetaNetX dump with cross-references.')
db = pd.read_table(mnx_dump, comment='#', names=['XREF', 'MNX_ID',
'Evidence', 'Description'])
LOGGER.info('Generate the shortlist cross-references.')
res = generate_shortlist(db, targets)
LOGGER.info('Save result.')
res.to_json(join(dirname(__file__), pardir, 'memote', 'support', 'data',
'met_id_shortlist.json'), force_ascii=False)
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mnx_dump):\n LOGGER.info('Read shortlist.')\n targets = pd.read_table(join(dirname(__file__), 'shortlist.tsv'))\n if not exists(mnx_dump):\n LOGGER.info(\"MetaNetX dump '%s' does not exist. Downloading...\",\n mnx_dump)\n with open(mnx_dump, 'wb') as file_handle, get(\n 'https://www.metanetx.org/cgi-bin/mnxget/mnxref/chem_xref.tsv',\n stream=True) as stream:\n for chunk in stream.iter_content(chunk_size=1024):\n file_handle.write(chunk)\n LOGGER.info('Done.')\n LOGGER.info('Read the MetaNetX dump with cross-references.')\n db = pd.read_table(mnx_dump, comment='#', names=['XREF', 'MNX_ID',\n 'Evidence', 'Description'])\n LOGGER.info('Generate the shortlist cross-references.')\n res = generate_shortlist(db, targets)\n LOGGER.info('Save result.')\n res.to_json(join(dirname(__file__), pardir, 'memote', 'support', 'data',\n 'met_id_shortlist.json'), force_ascii=False)\n",
"role": "user"
},
{
"content": "generate",
"role": "assistant"
}
] |
def x(self, model, checks=[]):
custom = [check_partial(gene_id_check, frozenset(g.id for g in model.
genes))]
super(EssentialityExperiment, self).validate(model=model, checks=checks +
custom)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, checks=[]):\n custom = [check_partial(gene_id_check, frozenset(g.id for g in model.\n genes))]\n super(EssentialityExperiment, self).validate(model=model, checks=checks +\n custom)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, model):
with model:
if self.medium is not None:
self.medium.apply(model)
if self.objective is not None:
model.objective = self.objective
model.add_cons_vars(self.constraints)
max_val = model.slim_optimize()
essen = single_gene_deletion(model, gene_list=self.data['gene'],
processes=1)
essen['gene'] = [list(g)[0] for g in essen.index]
essen.index = essen['gene']
essen['essential'] = (essen['growth'] < max_val * 0.1) | essen['growth'
].isna()
return essen
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model):\n with model:\n if self.medium is not None:\n self.medium.apply(model)\n if self.objective is not None:\n model.objective = self.objective\n model.add_cons_vars(self.constraints)\n max_val = model.slim_optimize()\n essen = single_gene_deletion(model, gene_list=self.data['gene'],\n processes=1)\n essen['gene'] = [list(g)[0] for g in essen.index]\n essen.index = essen['gene']\n essen['essential'] = (essen['growth'] < max_val * 0.1) | essen['growth'\n ].isna()\n return essen\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(registry):
def x(func):
registry[func.__name__] = func
return func
return decorator
| register_with | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry):\n\n def x(func):\n registry[func.__name__] = func\n return func\n return decorator\n",
"role": "user"
},
{
"content": "register_with",
"role": "assistant"
}
] |
def x(title, format_type, message=None, data=None, metric=1.0):
if format_type not in TYPES:
raise ValueError('Invalid type. Expected one of: {}.'.format(', '.
join(TYPES)))
def x(func):
func.annotation = dict(title=title, summary=extended_summary(func),
message=message, data=data, format_type=format_type, metric=metric)
return func
return decorator
| annotate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, format_type, message=None, data=None, metric=1.0):\n if format_type not in TYPES:\n raise ValueError('Invalid type. Expected one of: {}.'.format(', '.\n join(TYPES)))\n\n def x(func):\n func.annotation = dict(title=title, summary=extended_summary(func),\n message=message, data=data, format_type=format_type, metric=metric)\n return func\n return decorator\n",
"role": "user"
},
{
"content": "annotate",
"role": "assistant"
}
] |
def x(sequence):
if len(sequence) > LIST_SLICE:
return ', '.join(sequence[:LIST_SLICE] + ['...'])
else:
return ', '.join(sequence)
| truncate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence):\n if len(sequence) > LIST_SLICE:\n return ', '.join(sequence[:LIST_SLICE] + ['...'])\n else:\n return ', '.join(sequence)\n",
"role": "user"
},
{
"content": "truncate",
"role": "assistant"
}
] |
def x(obj):
keys_to_explore = list(obj)
while len(keys_to_explore) > 0:
key = keys_to_explore.pop()
if not isinstance(key, str):
LOGGER.info(type(key))
value = obj[key]
if isinstance(value, dict):
LOGGER.info('%s:', key)
log_json_incompatible_types(value)
elif not isinstance(value, JSON_TYPES):
LOGGER.info('%s: %s', key, type(value))
elif isinstance(value, (int, float)) and not isfinite(value):
LOGGER.info('%s: %f', key, value)
| log_json_incompatible_types | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n keys_to_explore = list(obj)\n while len(keys_to_explore) > 0:\n key = keys_to_explore.pop()\n if not isinstance(key, str):\n LOGGER.info(type(key))\n value = obj[key]\n if isinstance(value, dict):\n LOGGER.info('%s:', key)\n log_json_incompatible_types(value)\n elif not isinstance(value, JSON_TYPES):\n LOGGER.info('%s: %s', key, type(value))\n elif isinstance(value, (int, float)) and not isfinite(value):\n LOGGER.info('%s: %f', key, value)\n",
"role": "user"
},
{
"content": "log_json_incompatible_types",
"role": "assistant"
}
] |
def x(obj, pretty=False):
if pretty:
params = dict(sort_keys=True, indent=2, allow_nan=False, separators
=(',', ': '), ensure_ascii=False)
else:
params = dict(sort_keys=False, indent=None, allow_nan=False,
separators=(',', ':'), ensure_ascii=False)
try:
return json.dumps(obj, **params)
except (TypeError, ValueError) as error:
LOGGER.critical(
'The memote result structure is incompatible with the JSON standard.'
)
log_json_incompatible_types(obj)
raise_with_traceback(error)
| jsonify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, pretty=False):\n if pretty:\n params = dict(sort_keys=True, indent=2, allow_nan=False, separators\n =(',', ': '), ensure_ascii=False)\n else:\n params = dict(sort_keys=False, indent=None, allow_nan=False,\n separators=(',', ':'), ensure_ascii=False)\n try:\n return json.dumps(obj, **params)\n except (TypeError, ValueError) as error:\n LOGGER.critical(\n 'The memote result structure is incompatible with the JSON standard.'\n )\n log_json_incompatible_types(obj)\n raise_with_traceback(error)\n",
"role": "user"
},
{
"content": "jsonify",
"role": "assistant"
}
] |
def x(list_of_lists):
flat_list = []
for sublist in list_of_lists:
if isinstance(sublist, string_types) or isinstance(sublist, int):
flat_list.append(sublist)
elif sublist is None:
continue
elif not isinstance(sublist, string_types) and len(sublist) == 1:
flat_list.append(sublist[0])
else:
flat_list.append(tuple(sublist))
return flat_list
| flatten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list_of_lists):\n flat_list = []\n for sublist in list_of_lists:\n if isinstance(sublist, string_types) or isinstance(sublist, int):\n flat_list.append(sublist)\n elif sublist is None:\n continue\n elif not isinstance(sublist, string_types) and len(sublist) == 1:\n flat_list.append(sublist[0])\n else:\n flat_list.append(tuple(sublist))\n return flat_list\n",
"role": "user"
},
{
"content": "flatten",
"role": "assistant"
}
] |
def x(notifications):
for error in notifications['errors']:
LOGGER.error(error)
for warn in notifications['warnings']:
LOGGER.warning(warn)
| stdout_notifications | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(notifications):\n for error in notifications['errors']:\n LOGGER.error(error)\n for warn in notifications['warnings']:\n LOGGER.warning(warn)\n",
"role": "user"
},
{
"content": "stdout_notifications",
"role": "assistant"
}
] |
def x(self, dtype_conversion=None):
self.data = read_tabular(self.filename, dtype_conversion)
with open_text(memote.experimental.schemata, self.SCHEMA, encoding='utf-8'
) as file_handle:
self.schema = json.load(file_handle)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dtype_conversion=None):\n self.data = read_tabular(self.filename, dtype_conversion)\n with open_text(memote.experimental.schemata, self.SCHEMA, encoding='utf-8'\n ) as file_handle:\n self.schema = json.load(file_handle)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, model, checks=[]):
records = self.data.to_dict('records')
self.evaluate_report(validate(records, headers=list(records[0]), preset
='table', schema=self.schema, order_fields=True, custom_checks=checks))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, checks=[]):\n records = self.data.to_dict('records')\n self.evaluate_report(validate(records, headers=list(records[0]), preset\n ='table', schema=self.schema, order_fields=True, custom_checks=checks))\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(report):
if report['valid']:
return
for warn in report['warnings']:
LOGGER.warning(warn)
for err in report['tables'][0]['errors']:
LOGGER.error(err['message'])
raise ValueError('Invalid data file. Please see errors above.')
| evaluate_report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(report):\n if report['valid']:\n return\n for warn in report['warnings']:\n LOGGER.warning(warn)\n for err in report['tables'][0]['errors']:\n LOGGER.error(err['message'])\n raise ValueError('Invalid data file. Please see errors above.')\n",
"role": "user"
},
{
"content": "evaluate_report",
"role": "assistant"
}
] |
def x(model, reactions, Constraint):
constraints = []
for rxn in reactions:
expression = add([(c * model.variables[m.id]) for m, c in rxn.
metabolites.items()])
constraints.append(Constraint(expression, lb=0, ub=0, name=rxn.id))
model.add(constraints)
| add_reaction_constraints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, reactions, Constraint):\n constraints = []\n for rxn in reactions:\n expression = add([(c * model.variables[m.id]) for m, c in rxn.\n metabolites.items()])\n constraints.append(Constraint(expression, lb=0, ub=0, name=rxn.id))\n model.add(constraints)\n",
"role": "user"
},
{
"content": "add_reaction_constraints",
"role": "assistant"
}
] |
def x(metabolites, reactions):
matrix = np.zeros((len(metabolites), len(reactions)))
met_index = dict((met, i) for i, met in enumerate(metabolites))
rxn_index = dict()
for i, rxn in enumerate(reactions):
rxn_index[rxn] = i
for met, coef in iteritems(rxn.metabolites):
j = met_index[met]
matrix[j, i] = coef
return matrix, met_index, rxn_index
| stoichiometry_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(metabolites, reactions):\n matrix = np.zeros((len(metabolites), len(reactions)))\n met_index = dict((met, i) for i, met in enumerate(metabolites))\n rxn_index = dict()\n for i, rxn in enumerate(reactions):\n rxn_index[rxn] = i\n for met, coef in iteritems(rxn.metabolites):\n j = met_index[met]\n matrix[j, i] = coef\n return matrix, met_index, rxn_index\n",
"role": "user"
},
{
"content": "stoichiometry_matrix",
"role": "assistant"
}
] |
def x(matrix, atol=1e-13, rtol=0):
matrix = np.atleast_2d(matrix)
sigma = svd(matrix, compute_uv=False)
tol = max(atol, rtol * sigma[0])
return int((sigma >= tol).sum())
| rank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(matrix, atol=1e-13, rtol=0):\n matrix = np.atleast_2d(matrix)\n sigma = svd(matrix, compute_uv=False)\n tol = max(atol, rtol * sigma[0])\n return int((sigma >= tol).sum())\n",
"role": "user"
},
{
"content": "rank",
"role": "assistant"
}
] |
def x(matrix, atol=1e-13, rtol=0.0):
matrix = np.atleast_2d(matrix)
_, sigma, vh = svd(matrix)
tol = max(atol, rtol * sigma[0])
num_nonzero = (sigma >= tol).sum()
return vh[num_nonzero:].conj().T
| nullspace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(matrix, atol=1e-13, rtol=0.0):\n matrix = np.atleast_2d(matrix)\n _, sigma, vh = svd(matrix)\n tol = max(atol, rtol * sigma[0])\n num_nonzero = (sigma >= tol).sum()\n return vh[num_nonzero:].conj().T\n",
"role": "user"
},
{
"content": "nullspace",
"role": "assistant"
}
] |
def x(model):
return (model.solver.interface.Model, model.solver.interface.Constraint,
model.solver.interface.Variable, model.solver.interface.Objective)
| get_interface | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n return (model.solver.interface.Model, model.solver.interface.Constraint,\n model.solver.interface.Variable, model.solver.interface.Objective)\n",
"role": "user"
},
{
"content": "get_interface",
"role": "assistant"
}
] |
def x(model):
biomass = set(find_biomass_reaction(model))
if len(biomass) == 0:
LOGGER.warning(
'No biomass reaction detected. Consistency test results are unreliable if one exists.'
)
return set(model.reactions) - (set(model.boundary) | biomass)
| get_internals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n biomass = set(find_biomass_reaction(model))\n if len(biomass) == 0:\n LOGGER.warning(\n 'No biomass reaction detected. Consistency test results are unreliable if one exists.'\n )\n return set(model.reactions) - (set(model.boundary) | biomass)\n",
"role": "user"
},
{
"content": "get_internals",
"role": "assistant"
}
] |
def x(kernel, metabolites, Model, Variable, Constraint, Objective):
assert len(metabolites) == kernel.shape[0
], 'metabolite vector and first nullspace dimension must be equal'
ns_problem = Model()
k_vars = list()
for met in metabolites:
y_var = Variable(met.id)
k_var = Variable('k_{}'.format(met.id), type='binary')
k_vars.append(k_var)
ns_problem.add([y_var, k_var])
ns_problem.add(Constraint(y_var - k_var, ub=0, name='switch_{}'.
format(met.id)))
ns_problem.update()
for j, column in enumerate(kernel.T):
expression = sympy.Add(*[(coef * ns_problem.variables[met.id]) for
met, coef in zip(metabolites, column) if coef != 0.0])
constraint = Constraint(expression, lb=0, ub=0, name='ns_{}'.format(j))
ns_problem.add(constraint)
ns_problem.objective = Objective(1)
ns_problem.objective.set_linear_coefficients({k_var: (1.0) for k_var in
k_vars})
ns_problem.objective.direction = 'min'
return ns_problem, k_vars
| create_milp_problem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kernel, metabolites, Model, Variable, Constraint, Objective):\n assert len(metabolites) == kernel.shape[0\n ], 'metabolite vector and first nullspace dimension must be equal'\n ns_problem = Model()\n k_vars = list()\n for met in metabolites:\n y_var = Variable(met.id)\n k_var = Variable('k_{}'.format(met.id), type='binary')\n k_vars.append(k_var)\n ns_problem.add([y_var, k_var])\n ns_problem.add(Constraint(y_var - k_var, ub=0, name='switch_{}'.\n format(met.id)))\n ns_problem.update()\n for j, column in enumerate(kernel.T):\n expression = sympy.Add(*[(coef * ns_problem.variables[met.id]) for \n met, coef in zip(metabolites, column) if coef != 0.0])\n constraint = Constraint(expression, lb=0, ub=0, name='ns_{}'.format(j))\n ns_problem.add(constraint)\n ns_problem.objective = Objective(1)\n ns_problem.objective.set_linear_coefficients({k_var: (1.0) for k_var in\n k_vars})\n ns_problem.objective.direction = 'min'\n return ns_problem, k_vars\n",
"role": "user"
},
{
"content": "create_milp_problem",
"role": "assistant"
}
] |
def x(problem, indicators, bound, Constraint):
cut = Constraint(sympy.Add(*indicators), ub=bound)
problem.add(cut)
return cut
| add_cut | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(problem, indicators, bound, Constraint):\n cut = Constraint(sympy.Add(*indicators), ub=bound)\n problem.add(cut)\n return cut\n",
"role": "user"
},
{
"content": "add_cut",
"role": "assistant"
}
] |
def x(reaction):
balance = defaultdict(int)
for metabolite, coefficient in iteritems(reaction.metabolites):
if metabolite.elements is None or len(metabolite.elements) == 0:
return False
for element, amount in iteritems(metabolite.elements):
balance[element] += coefficient * amount
return all(amount == 0 for amount in itervalues(balance))
| is_mass_balanced | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reaction):\n balance = defaultdict(int)\n for metabolite, coefficient in iteritems(reaction.metabolites):\n if metabolite.elements is None or len(metabolite.elements) == 0:\n return False\n for element, amount in iteritems(metabolite.elements):\n balance[element] += coefficient * amount\n return all(amount == 0 for amount in itervalues(balance))\n",
"role": "user"
},
{
"content": "is_mass_balanced",
"role": "assistant"
}
] |
def x(reaction):
charge = 0
for metabolite, coefficient in iteritems(reaction.metabolites):
if metabolite.charge is None:
return False
charge += coefficient * metabolite.charge
return charge == 0
| is_charge_balanced | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reaction):\n charge = 0\n for metabolite, coefficient in iteritems(reaction.metabolites):\n if metabolite.charge is None:\n return False\n charge += coefficient * metabolite.charge\n return charge == 0\n",
"role": "user"
},
{
"content": "is_charge_balanced",
"role": "assistant"
}
] |
def x(func, *args, **kwargs):
new_func = partial(func, *args, **kwargs)
new_func.check = func.check
return new_func
| check_partial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n new_func = partial(func, *args, **kwargs)\n new_func.check = func.check\n return new_func\n",
"role": "user"
},
{
"content": "check_partial",
"role": "assistant"
}
] |
def x(genes, errors, columns, row_number):
message = (
"Gene '{value}' in column {col} and row {row} does not appear in the metabolic model."
)
for column in columns:
if 'gene' in column['header'] and column['value'] not in genes:
message = message.format(value=column['value'], row=row_number,
col=column['number'])
errors.append({'code': 'bad-value', 'message': message,
'row-number': row_number, 'column-number': column['number']})
| gene_id_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(genes, errors, columns, row_number):\n message = (\n \"Gene '{value}' in column {col} and row {row} does not appear in the metabolic model.\"\n )\n for column in columns:\n if 'gene' in column['header'] and column['value'] not in genes:\n message = message.format(value=column['value'], row=row_number,\n col=column['number'])\n errors.append({'code': 'bad-value', 'message': message,\n 'row-number': row_number, 'column-number': column['number']})\n",
"role": "user"
},
{
"content": "gene_id_check",
"role": "assistant"
}
] |
def x(reactions, errors, columns, row_number):
message = (
"Reaction '{value}' in column {col} and row {row} does not appear in the metabolic model."
)
for column in columns:
if 'reaction' in column['header'] and column['value'] not in reactions:
message = message.format(value=column['value'], row=row_number,
col=column['number'])
errors.append({'code': 'bad-value', 'message': message,
'row-number': row_number, 'column-number': column['number']})
| reaction_id_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reactions, errors, columns, row_number):\n message = (\n \"Reaction '{value}' in column {col} and row {row} does not appear in the metabolic model.\"\n )\n for column in columns:\n if 'reaction' in column['header'] and column['value'] not in reactions:\n message = message.format(value=column['value'], row=row_number,\n col=column['number'])\n errors.append({'code': 'bad-value', 'message': message,\n 'row-number': row_number, 'column-number': column['number']})\n",
"role": "user"
},
{
"content": "reaction_id_check",
"role": "assistant"
}
] |
def x(metabolites, errors, columns, row_number):
message = (
"Metabolite '{value}' in column {col} and row {row} does not appear in the metabolic model."
)
for column in columns:
if 'metabolite' in column['header'] and column['value'
] not in metabolites:
message = message.format(value=column['value'], row=row_number,
col=column['number'])
errors.append({'code': 'bad-value', 'message': message,
'row-number': row_number, 'column-number': column['number']})
| metabolite_id_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(metabolites, errors, columns, row_number):\n message = (\n \"Metabolite '{value}' in column {col} and row {row} does not appear in the metabolic model.\"\n )\n for column in columns:\n if 'metabolite' in column['header'] and column['value'\n ] not in metabolites:\n message = message.format(value=column['value'], row=row_number,\n col=column['number'])\n errors.append({'code': 'bad-value', 'message': message,\n 'row-number': row_number, 'column-number': column['number']})\n",
"role": "user"
},
{
"content": "metabolite_id_check",
"role": "assistant"
}
] |
def x(model, collect, filename, location, ignore_git, pytest_args,
exclusive, skip, solver, experimental, custom_tests, deployment,
skip_unchanged):
def x(arg):
return arg.startswith('--verbosity') or arg.startswith('-v'
) or arg.startswith('--verbose') or arg.startswith('-q'
) or arg.startswith('--quiet')
if ignore_git:
repo = None
else:
callbacks.git_installed()
repo = callbacks.probe_git()
if collect:
if repo is not None:
if location is None:
LOGGER.critical(
'Working with a repository requires a storage location.')
sys.exit(1)
if not any(a.startswith('--tb') for a in pytest_args):
pytest_args = ['--tb', 'short'] + pytest_args
if not any(is_verbose(a) for a in pytest_args):
pytest_args.append('-vv')
if skip_unchanged and repo is not None:
commit = repo.head.commit
if not is_modified(model, commit):
LOGGER.info("The model was not modified in commit '%s'. Skipping.",
commit.hexsha)
sys.exit(0)
pytest_args.extend(custom_tests)
model, sbml_ver, notifications = api.validate_model(model)
if model is None:
LOGGER.critical(
'The model could not be loaded due to the following SBML errors.')
stdout_notifications(notifications)
sys.exit(1)
model.solver = solver
if experimental is not None:
experimental.load(model)
code, result = api.test_model(model=model, sbml_version=sbml_ver,
results=True, pytest_args=pytest_args, skip=skip, exclusive=
exclusive, experimental=experimental)
if collect:
if repo is None:
manager = ResultManager()
manager.store(result, filename=filename)
else:
LOGGER.info('Checking out deployment branch.')
try:
previous = repo.active_branch
previous_cmt = previous.commit
is_branch = True
except TypeError:
previous_cmt = repo.head.commit
is_branch = False
repo.git.checkout(deployment)
try:
manager = SQLResultManager(repository=repo, location=location)
except (AttributeError, ArgumentError):
manager = RepoResultManager(repository=repo, location=location)
LOGGER.info(
'Committing result and changing back to working branch.')
manager.store(result, commit=previous_cmt.hexsha)
repo.git.add('.')
check_call(['git', 'commit', '-m', 'chore: add result for {}'.
format(previous_cmt.hexsha)])
if is_branch:
previous.checkout()
else:
repo.commit(previous_cmt)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, collect, filename, location, ignore_git, pytest_args,\n exclusive, skip, solver, experimental, custom_tests, deployment,\n skip_unchanged):\n\n def x(arg):\n return arg.startswith('--verbosity') or arg.startswith('-v'\n ) or arg.startswith('--verbose') or arg.startswith('-q'\n ) or arg.startswith('--quiet')\n if ignore_git:\n repo = None\n else:\n callbacks.git_installed()\n repo = callbacks.probe_git()\n if collect:\n if repo is not None:\n if location is None:\n LOGGER.critical(\n 'Working with a repository requires a storage location.')\n sys.exit(1)\n if not any(a.startswith('--tb') for a in pytest_args):\n pytest_args = ['--tb', 'short'] + pytest_args\n if not any(is_verbose(a) for a in pytest_args):\n pytest_args.append('-vv')\n if skip_unchanged and repo is not None:\n commit = repo.head.commit\n if not is_modified(model, commit):\n LOGGER.info(\"The model was not modified in commit '%s'. Skipping.\",\n commit.hexsha)\n sys.exit(0)\n pytest_args.extend(custom_tests)\n model, sbml_ver, notifications = api.validate_model(model)\n if model is None:\n LOGGER.critical(\n 'The model could not be loaded due to the following SBML errors.')\n stdout_notifications(notifications)\n sys.exit(1)\n model.solver = solver\n if experimental is not None:\n experimental.load(model)\n code, result = api.test_model(model=model, sbml_version=sbml_ver,\n results=True, pytest_args=pytest_args, skip=skip, exclusive=\n exclusive, experimental=experimental)\n if collect:\n if repo is None:\n manager = ResultManager()\n manager.store(result, filename=filename)\n else:\n LOGGER.info('Checking out deployment branch.')\n try:\n previous = repo.active_branch\n previous_cmt = previous.commit\n is_branch = True\n except TypeError:\n previous_cmt = repo.head.commit\n is_branch = False\n repo.git.checkout(deployment)\n try:\n manager = SQLResultManager(repository=repo, location=location)\n except (AttributeError, ArgumentError):\n manager = RepoResultManager(repository=repo, location=location)\n LOGGER.info(\n 'Committing result and changing back to working branch.')\n manager.store(result, commit=previous_cmt.hexsha)\n repo.git.add('.')\n check_call(['git', 'commit', '-m', 'chore: add result for {}'.\n format(previous_cmt.hexsha)])\n if is_branch:\n previous.checkout()\n else:\n repo.commit(previous_cmt)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(directory, replay):
callbacks.git_installed()
if directory is None:
directory = os.getcwd()
cookiecutter('gh:opencobra/cookiecutter-memote', output_dir=directory,
replay=replay)
| new | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory, replay):\n callbacks.git_installed()\n if directory is None:\n directory = os.getcwd()\n cookiecutter('gh:opencobra/cookiecutter-memote', output_dir=directory,\n replay=replay)\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(model, message, rewrite, solver, location, pytest_args, deployment,
commits, skip, exclusive, experimental=None):
callbacks.git_installed()
if location is None:
raise click.BadParameter("No 'location' given or configured.")
if '--tb' not in pytest_args:
pytest_args = ['--tb', 'no'] + pytest_args
try:
LOGGER.info('Identifying git repository!')
repo = git.Repo()
except git.InvalidGitRepositoryError:
LOGGER.critical(
"The history requires a git repository in order to follow the model's commit history."
)
sys.exit(1)
else:
LOGGER.info('Success!')
previous = repo.active_branch
LOGGER.info('Checking out deployment branch {}.'.format(deployment))
repo.git.checkout(deployment)
engine = None
tmp_location = mkdtemp()
try:
engine = create_engine(location)
engine.dispose()
new_location = location
if location.startswith('sqlite'):
url = location.split('/', maxsplit=3)
if isfile(url[3]):
copy2(url[3], tmp_location)
new_location = '{}/{}'.format('/'.join(url[:3] + [tmp_location]
), url[3])
LOGGER.info("Temporarily moving database from '%s' to '%s'.",
url[3], join(tmp_location, url[3]))
manager = SQLResultManager(repository=repo, location=new_location)
except (AttributeError, ArgumentError):
LOGGER.info("Temporarily moving results from '%s' to '%s'.",
location, tmp_location)
move(location, tmp_location)
new_location = join(tmp_location, location)
manager = RepoResultManager(repository=repo, location=new_location)
LOGGER.info('Recomputing result history!')
history = HistoryManager(repository=repo, manager=manager)
history.load_history(model, skip={deployment})
if len(commits) == 0:
commits = list(history.iter_commits())
elif len(commits) == 1 and '..' in commits[0]:
commits = repo.git.rev_list(commits[0]).split(os.linesep)
for commit in commits:
cmt = repo.commit(commit)
commit = cmt.hexsha
if not is_modified(model, cmt):
LOGGER.info("The model was not modified in commit '{}'. Skipping."
.format(commit))
continue
if commit in history and not rewrite:
LOGGER.info("Result for commit '{}' exists. Skipping.".format(
commit))
continue
LOGGER.info("Running the test suite for commit '{}'.".format(commit))
blob = cmt.tree[model]
model_obj, sbml_ver, notifications = _model_from_stream(blob.
data_stream, blob.name)
if model_obj is None:
LOGGER.critical(
'The model could not be loaded due to the following SBML errors.'
)
stdout_notifications(notifications)
continue
proc = Process(target=_test_history, args=(model_obj, sbml_ver,
solver, manager, commit, pytest_args, skip, exclusive,
experimental))
proc.start()
proc.join()
LOGGER.info('Finished recomputing!')
LOGGER.info('Committing recomputed results!')
repo.git.checkout(deployment)
if engine is not None:
manager.session.close()
if location.startswith('sqlite'):
copy2(join(tmp_location, url[3]), url[3])
else:
move(new_location, os.getcwd())
repo.git.add('.')
check_call(['git', 'commit', '-m', message])
LOGGER.info('Success!')
previous.checkout()
LOGGER.info('Done.')
| history | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, message, rewrite, solver, location, pytest_args, deployment,\n commits, skip, exclusive, experimental=None):\n callbacks.git_installed()\n if location is None:\n raise click.BadParameter(\"No 'location' given or configured.\")\n if '--tb' not in pytest_args:\n pytest_args = ['--tb', 'no'] + pytest_args\n try:\n LOGGER.info('Identifying git repository!')\n repo = git.Repo()\n except git.InvalidGitRepositoryError:\n LOGGER.critical(\n \"The history requires a git repository in order to follow the model's commit history.\"\n )\n sys.exit(1)\n else:\n LOGGER.info('Success!')\n previous = repo.active_branch\n LOGGER.info('Checking out deployment branch {}.'.format(deployment))\n repo.git.checkout(deployment)\n engine = None\n tmp_location = mkdtemp()\n try:\n engine = create_engine(location)\n engine.dispose()\n new_location = location\n if location.startswith('sqlite'):\n url = location.split('/', maxsplit=3)\n if isfile(url[3]):\n copy2(url[3], tmp_location)\n new_location = '{}/{}'.format('/'.join(url[:3] + [tmp_location]\n ), url[3])\n LOGGER.info(\"Temporarily moving database from '%s' to '%s'.\",\n url[3], join(tmp_location, url[3]))\n manager = SQLResultManager(repository=repo, location=new_location)\n except (AttributeError, ArgumentError):\n LOGGER.info(\"Temporarily moving results from '%s' to '%s'.\",\n location, tmp_location)\n move(location, tmp_location)\n new_location = join(tmp_location, location)\n manager = RepoResultManager(repository=repo, location=new_location)\n LOGGER.info('Recomputing result history!')\n history = HistoryManager(repository=repo, manager=manager)\n history.load_history(model, skip={deployment})\n if len(commits) == 0:\n commits = list(history.iter_commits())\n elif len(commits) == 1 and '..' in commits[0]:\n commits = repo.git.rev_list(commits[0]).split(os.linesep)\n for commit in commits:\n cmt = repo.commit(commit)\n commit = cmt.hexsha\n if not is_modified(model, cmt):\n LOGGER.info(\"The model was not modified in commit '{}'. Skipping.\"\n .format(commit))\n continue\n if commit in history and not rewrite:\n LOGGER.info(\"Result for commit '{}' exists. Skipping.\".format(\n commit))\n continue\n LOGGER.info(\"Running the test suite for commit '{}'.\".format(commit))\n blob = cmt.tree[model]\n model_obj, sbml_ver, notifications = _model_from_stream(blob.\n data_stream, blob.name)\n if model_obj is None:\n LOGGER.critical(\n 'The model could not be loaded due to the following SBML errors.'\n )\n stdout_notifications(notifications)\n continue\n proc = Process(target=_test_history, args=(model_obj, sbml_ver,\n solver, manager, commit, pytest_args, skip, exclusive,\n experimental))\n proc.start()\n proc.join()\n LOGGER.info('Finished recomputing!')\n LOGGER.info('Committing recomputed results!')\n repo.git.checkout(deployment)\n if engine is not None:\n manager.session.close()\n if location.startswith('sqlite'):\n copy2(join(tmp_location, url[3]), url[3])\n else:\n move(new_location, os.getcwd())\n repo.git.add('.')\n check_call(['git', 'commit', '-m', message])\n LOGGER.info('Success!')\n previous.checkout()\n LOGGER.info('Done.')\n",
"role": "user"
},
{
"content": "history",
"role": "assistant"
}
] |
def x(note, github_repository, github_username):
callbacks.git_installed()
try:
repo = git.Repo()
except git.InvalidGitRepositoryError:
LOGGER.critical(
"'memote online' requires a git repository in order to follow the current branch's commit history."
)
sys.exit(1)
if note == 'memote-ci access':
note = '{} to {}'.format(note, github_repository)
gh_repo_name, auth_token, repo_access_token = _setup_gh_repo(
github_repository, github_username, note)
secret = _setup_travis_ci(gh_repo_name, auth_token, repo_access_token)
LOGGER.info("Storing GitHub token in '.travis.yml'.")
config = te.load_travis_configuration('.travis.yml')
global_env = config.setdefault('env', {}).get('global')
if global_env is None:
config['env']['global'] = global_env = {}
try:
global_env['secure'] = secret
except TypeError:
global_env.append({'secure': secret})
te.dump_travis_configuration(config, '.travis.yml')
LOGGER.info("Add, commit and push changes to '.travis.yml' to GitHub.")
repo.index.add(['.travis.yml'])
check_call(['git', 'commit', '-m',
'chore: add encrypted GitHub access token'])
check_call(['git', 'push', '--set-upstream', 'origin', repo.
active_branch.name])
| online | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(note, github_repository, github_username):\n callbacks.git_installed()\n try:\n repo = git.Repo()\n except git.InvalidGitRepositoryError:\n LOGGER.critical(\n \"'memote online' requires a git repository in order to follow the current branch's commit history.\"\n )\n sys.exit(1)\n if note == 'memote-ci access':\n note = '{} to {}'.format(note, github_repository)\n gh_repo_name, auth_token, repo_access_token = _setup_gh_repo(\n github_repository, github_username, note)\n secret = _setup_travis_ci(gh_repo_name, auth_token, repo_access_token)\n LOGGER.info(\"Storing GitHub token in '.travis.yml'.\")\n config = te.load_travis_configuration('.travis.yml')\n global_env = config.setdefault('env', {}).get('global')\n if global_env is None:\n config['env']['global'] = global_env = {}\n try:\n global_env['secure'] = secret\n except TypeError:\n global_env.append({'secure': secret})\n te.dump_travis_configuration(config, '.travis.yml')\n LOGGER.info(\"Add, commit and push changes to '.travis.yml' to GitHub.\")\n repo.index.add(['.travis.yml'])\n check_call(['git', 'commit', '-m',\n 'chore: add encrypted GitHub access token'])\n check_call(['git', 'push', '--set-upstream', 'origin', repo.\n active_branch.name])\n",
"role": "user"
},
{
"content": "online",
"role": "assistant"
}
] |
def x():
target_file = os.path.abspath(join('tests', 'data',
'memote-mock-repo.tar.gz'))
temp_dir = mkdtemp(prefix='tmp_mock')
previous_wd = os.getcwd()
try:
LOGGER.info('Cloning repository.')
os.chdir(temp_dir)
check_output(['git', 'clone',
'https://github.com/ChristianLieven/memote-mock-repo.git'])
os.chdir('memote-mock-repo/')
LOGGER.info('Setting git to ignore filemode changes.')
call(['git', 'config', 'core.fileMode', 'false'])
call(['git', 'config', 'user.email', 'memote@opencobra.com'])
call(['git', 'config', 'user.name', 'memote-bot'])
finally:
LOGGER.info('Compressing to tarball.')
tar = tarfile.open(target_file, 'w:gz')
tar.add(join(temp_dir, 'memote-mock-repo/'), arcname='memote-mock-repo'
)
tar.close()
LOGGER.info('Success!')
LOGGER.info('Removing temporary directory.')
rmtree(temp_dir)
LOGGER.info('Success! The mock repo has been updated.')
os.chdir(previous_wd)
| update_mock_repo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n target_file = os.path.abspath(join('tests', 'data',\n 'memote-mock-repo.tar.gz'))\n temp_dir = mkdtemp(prefix='tmp_mock')\n previous_wd = os.getcwd()\n try:\n LOGGER.info('Cloning repository.')\n os.chdir(temp_dir)\n check_output(['git', 'clone',\n 'https://github.com/ChristianLieven/memote-mock-repo.git'])\n os.chdir('memote-mock-repo/')\n LOGGER.info('Setting git to ignore filemode changes.')\n call(['git', 'config', 'core.fileMode', 'false'])\n call(['git', 'config', 'user.email', 'memote@opencobra.com'])\n call(['git', 'config', 'user.name', 'memote-bot'])\n finally:\n LOGGER.info('Compressing to tarball.')\n tar = tarfile.open(target_file, 'w:gz')\n tar.add(join(temp_dir, 'memote-mock-repo/'), arcname='memote-mock-repo'\n )\n tar.close()\n LOGGER.info('Success!')\n LOGGER.info('Removing temporary directory.')\n rmtree(temp_dir)\n LOGGER.info('Success! The mock repo has been updated.')\n os.chdir(previous_wd)\n",
"role": "user"
},
{
"content": "update_mock_repo",
"role": "assistant"
}
] |
def x(reaction):
return sum(-coef * met.formula_weight for met, coef in iteritems(
reaction.metabolites)) / 1000.0
| sum_biomass_weight | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reaction):\n return sum(-coef * met.formula_weight for met, coef in iteritems(\n reaction.metabolites)) / 1000.0\n",
"role": "user"
},
{
"content": "sum_biomass_weight",
"role": "assistant"
}
] |
def x(model, reaction):
id_of_main_compartment = helpers.find_compartment_id_in_model(model, 'c')
gam_reactants = set()
try:
gam_reactants.update([helpers.find_met_in_model(model, 'MNXM3',
id_of_main_compartment)[0]])
except RuntimeError:
pass
try:
gam_reactants.update([helpers.find_met_in_model(model, 'MNXM2',
id_of_main_compartment)[0]])
except RuntimeError:
pass
biomass_precursors = set(reaction.reactants) - gam_reactants
return list(biomass_precursors)
| find_biomass_precursors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, reaction):\n id_of_main_compartment = helpers.find_compartment_id_in_model(model, 'c')\n gam_reactants = set()\n try:\n gam_reactants.update([helpers.find_met_in_model(model, 'MNXM3',\n id_of_main_compartment)[0]])\n except RuntimeError:\n pass\n try:\n gam_reactants.update([helpers.find_met_in_model(model, 'MNXM2',\n id_of_main_compartment)[0]])\n except RuntimeError:\n pass\n biomass_precursors = set(reaction.reactants) - gam_reactants\n return list(biomass_precursors)\n",
"role": "user"
},
{
"content": "find_biomass_precursors",
"role": "assistant"
}
] |
def x(reaction, model):
LOGGER.debug('Finding blocked biomass precursors')
precursors = find_biomass_precursors(model, reaction)
blocked_precursors = list()
_, ub = helpers.find_bounds(model)
for precursor in precursors:
with model:
dm_rxn = model.add_boundary(precursor, type='safe-demand',
reaction_id='safe_demand', lb=0, ub=ub)
flux = helpers.run_fba(model, dm_rxn.id, direction='max')
if np.isnan(flux) or abs(flux) < 1e-08:
blocked_precursors.append(precursor)
return blocked_precursors
| find_blocked_biomass_precursors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reaction, model):\n LOGGER.debug('Finding blocked biomass precursors')\n precursors = find_biomass_precursors(model, reaction)\n blocked_precursors = list()\n _, ub = helpers.find_bounds(model)\n for precursor in precursors:\n with model:\n dm_rxn = model.add_boundary(precursor, type='safe-demand',\n reaction_id='safe_demand', lb=0, ub=ub)\n flux = helpers.run_fba(model, dm_rxn.id, direction='max')\n if np.isnan(flux) or abs(flux) < 1e-08:\n blocked_precursors.append(precursor)\n return blocked_precursors\n",
"role": "user"
},
{
"content": "find_blocked_biomass_precursors",
"role": "assistant"
}
] |
def x(model, reaction):
id_of_main_compartment = helpers.find_compartment_id_in_model(model, 'c')
try:
left = {helpers.find_met_in_model(model, 'MNXM3',
id_of_main_compartment)[0], helpers.find_met_in_model(model,
'MNXM2', id_of_main_compartment)[0]}
right = {helpers.find_met_in_model(model, 'MNXM7',
id_of_main_compartment)[0], helpers.find_met_in_model(model,
'MNXM1', id_of_main_compartment)[0], helpers.find_met_in_model(
model, 'MNXM9', id_of_main_compartment)[0]}
except RuntimeError:
return False
return left.issubset(set(reaction.reactants)) and right.issubset(set(
reaction.products))
| gam_in_biomass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, reaction):\n id_of_main_compartment = helpers.find_compartment_id_in_model(model, 'c')\n try:\n left = {helpers.find_met_in_model(model, 'MNXM3',\n id_of_main_compartment)[0], helpers.find_met_in_model(model,\n 'MNXM2', id_of_main_compartment)[0]}\n right = {helpers.find_met_in_model(model, 'MNXM7',\n id_of_main_compartment)[0], helpers.find_met_in_model(model,\n 'MNXM1', id_of_main_compartment)[0], helpers.find_met_in_model(\n model, 'MNXM9', id_of_main_compartment)[0]}\n except RuntimeError:\n return False\n return left.issubset(set(reaction.reactants)) and right.issubset(set(\n reaction.products))\n",
"role": "user"
},
{
"content": "gam_in_biomass",
"role": "assistant"
}
] |
def x(model, reaction, tolerance=1e-06):
biomass_rxns = set(helpers.find_biomass_reaction(model))
tra_bou_bio_rxns = helpers.find_interchange_biomass_reactions(model,
biomass_rxns)
try:
precursors = find_biomass_precursors(model, reaction)
main_comp = helpers.find_compartment_id_in_model(model, 'c')
ext_space = helpers.find_compartment_id_in_model(model, 'e')
except KeyError:
LOGGER.error(
'Failed to properly identify cytosolic and extracellular compartments.'
)
raise_with_traceback(KeyError(
'The cytosolic and/or extracellular compartments could not be identified.'
))
except RuntimeError:
LOGGER.error(
'Failed to properly identify cytosolic and extracellular compartments.'
)
raise_with_traceback(RuntimeError(
'The cytosolic and/or extracellular compartments could not be identified.'
))
else:
tra_bou_bio_mets = [met for met in precursors if met.reactions.
issubset(tra_bou_bio_rxns)]
rxns_of_interest = set([rxn for met in tra_bou_bio_mets for rxn in
met.reactions if rxn not in biomass_rxns])
solution = model.optimize(raise_error=True)
if np.isclose(solution.objective_value, 0, atol=tolerance):
LOGGER.error(
'Failed to generate a non-zero objective value with flux balance analysis.'
)
raise OptimizationError(
'The flux balance analysis on this model returned an objective value of zero. Make sure the model can grow! Check if the constraints are not too strict!'
)
tra_bou_bio_fluxes = {r: solution[r.id] for r in rxns_of_interest}
met_flux_sum = {m: (0) for m in tra_bou_bio_mets}
return detect_false_positive_direct_metabolites(tra_bou_bio_mets,
biomass_rxns, main_comp, ext_space, tra_bou_bio_fluxes, met_flux_sum)
| find_direct_metabolites | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, reaction, tolerance=1e-06):\n biomass_rxns = set(helpers.find_biomass_reaction(model))\n tra_bou_bio_rxns = helpers.find_interchange_biomass_reactions(model,\n biomass_rxns)\n try:\n precursors = find_biomass_precursors(model, reaction)\n main_comp = helpers.find_compartment_id_in_model(model, 'c')\n ext_space = helpers.find_compartment_id_in_model(model, 'e')\n except KeyError:\n LOGGER.error(\n 'Failed to properly identify cytosolic and extracellular compartments.'\n )\n raise_with_traceback(KeyError(\n 'The cytosolic and/or extracellular compartments could not be identified.'\n ))\n except RuntimeError:\n LOGGER.error(\n 'Failed to properly identify cytosolic and extracellular compartments.'\n )\n raise_with_traceback(RuntimeError(\n 'The cytosolic and/or extracellular compartments could not be identified.'\n ))\n else:\n tra_bou_bio_mets = [met for met in precursors if met.reactions.\n issubset(tra_bou_bio_rxns)]\n rxns_of_interest = set([rxn for met in tra_bou_bio_mets for rxn in\n met.reactions if rxn not in biomass_rxns])\n solution = model.optimize(raise_error=True)\n if np.isclose(solution.objective_value, 0, atol=tolerance):\n LOGGER.error(\n 'Failed to generate a non-zero objective value with flux balance analysis.'\n )\n raise OptimizationError(\n 'The flux balance analysis on this model returned an objective value of zero. Make sure the model can grow! Check if the constraints are not too strict!'\n )\n tra_bou_bio_fluxes = {r: solution[r.id] for r in rxns_of_interest}\n met_flux_sum = {m: (0) for m in tra_bou_bio_mets}\n return detect_false_positive_direct_metabolites(tra_bou_bio_mets,\n biomass_rxns, main_comp, ext_space, tra_bou_bio_fluxes, met_flux_sum)\n",
"role": "user"
},
{
"content": "find_direct_metabolites",
"role": "assistant"
}
] |
def x(candidates, biomass_reactions, cytosol, extra, reaction_fluxes,
metabolite_fluxes):
for met in candidates:
is_internal = met.compartment != extra
for rxn in met.reactions:
if rxn in biomass_reactions:
continue
if is_internal:
metabolite_fluxes[met] += abs(reaction_fluxes[rxn])
continue
if met in rxn.reactants:
product_comps = set([p.compartment for p in rxn.products])
if len(product_comps) == 0:
metabolite_fluxes[met] += -reaction_fluxes[rxn]
elif cytosol in product_comps:
metabolite_fluxes[met] += reaction_fluxes[rxn]
elif met in rxn.products:
reactant_comps = set([p.compartment for p in rxn.reactants])
if len(reactant_comps) == 0:
metabolite_fluxes[met] += reaction_fluxes[rxn]
elif cytosol in reactant_comps:
metabolite_fluxes[met] += -reaction_fluxes[rxn]
return [m for m, f in iteritems(metabolite_fluxes) if f > 0]
| detect_false_positive_direct_metabolites | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(candidates, biomass_reactions, cytosol, extra, reaction_fluxes,\n metabolite_fluxes):\n for met in candidates:\n is_internal = met.compartment != extra\n for rxn in met.reactions:\n if rxn in biomass_reactions:\n continue\n if is_internal:\n metabolite_fluxes[met] += abs(reaction_fluxes[rxn])\n continue\n if met in rxn.reactants:\n product_comps = set([p.compartment for p in rxn.products])\n if len(product_comps) == 0:\n metabolite_fluxes[met] += -reaction_fluxes[rxn]\n elif cytosol in product_comps:\n metabolite_fluxes[met] += reaction_fluxes[rxn]\n elif met in rxn.products:\n reactant_comps = set([p.compartment for p in rxn.reactants])\n if len(reactant_comps) == 0:\n metabolite_fluxes[met] += reaction_fluxes[rxn]\n elif cytosol in reactant_comps:\n metabolite_fluxes[met] += -reaction_fluxes[rxn]\n return [m for m, f in iteritems(metabolite_fluxes) if f > 0]\n",
"role": "user"
},
{
"content": "detect_false_positive_direct_metabolites",
"role": "assistant"
}
] |
def x(model, reaction):
if len(reaction.metabolites) >= 16:
return [reaction]
id_of_main_compartment = helpers.find_compartment_id_in_model(model, 'c')
gam_mets = ['MNXM3', 'MNXM2', 'MNXM7', 'MNXM1', 'MNXM9']
try:
gam = set([helpers.find_met_in_model(model, met,
id_of_main_compartment)[0] for met in gam_mets])
except RuntimeError:
gam = set()
regex = re.compile('^{}(_[a-zA-Z]+?)*?$'.format('biomass'), re.IGNORECASE)
biomass_metabolite = set(model.metabolites.query(regex))
macromolecules = set(reaction.metabolites) - gam - biomass_metabolite
bundled_reactions = set()
for met in macromolecules:
bundled_reactions = bundled_reactions | set(met.reactions)
return list(bundled_reactions)
| bundle_biomass_components | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, reaction):\n if len(reaction.metabolites) >= 16:\n return [reaction]\n id_of_main_compartment = helpers.find_compartment_id_in_model(model, 'c')\n gam_mets = ['MNXM3', 'MNXM2', 'MNXM7', 'MNXM1', 'MNXM9']\n try:\n gam = set([helpers.find_met_in_model(model, met,\n id_of_main_compartment)[0] for met in gam_mets])\n except RuntimeError:\n gam = set()\n regex = re.compile('^{}(_[a-zA-Z]+?)*?$'.format('biomass'), re.IGNORECASE)\n biomass_metabolite = set(model.metabolites.query(regex))\n macromolecules = set(reaction.metabolites) - gam - biomass_metabolite\n bundled_reactions = set()\n for met in macromolecules:\n bundled_reactions = bundled_reactions | set(met.reactions)\n return list(bundled_reactions)\n",
"role": "user"
},
{
"content": "bundle_biomass_components",
"role": "assistant"
}
] |
def x(model, reaction):
main_comp = helpers.find_compartment_id_in_model(model, 'c')
biomass_eq = bundle_biomass_components(model, reaction)
pooled_precursors = set([met for rxn in biomass_eq for met in rxn.
metabolites])
missing_essential_precursors = []
for mnx_id in ESSENTIAL_PRECURSOR_IDS:
try:
met = helpers.find_met_in_model(model, mnx_id, main_comp)[0]
if met not in pooled_precursors:
missing_essential_precursors.append(met.id)
except RuntimeError:
missing_essential_precursors.append(mnx_id)
return missing_essential_precursors
| essential_precursors_not_in_biomass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, reaction):\n main_comp = helpers.find_compartment_id_in_model(model, 'c')\n biomass_eq = bundle_biomass_components(model, reaction)\n pooled_precursors = set([met for rxn in biomass_eq for met in rxn.\n metabolites])\n missing_essential_precursors = []\n for mnx_id in ESSENTIAL_PRECURSOR_IDS:\n try:\n met = helpers.find_met_in_model(model, mnx_id, main_comp)[0]\n if met not in pooled_precursors:\n missing_essential_precursors.append(met.id)\n except RuntimeError:\n missing_essential_precursors.append(mnx_id)\n return missing_essential_precursors\n",
"role": "user"
},
{
"content": "essential_precursors_not_in_biomass",
"role": "assistant"
}
] |
def x(context, param, value):
if value is None:
return
config = ExperimentConfiguration(value)
config.validate()
return config
| validate_experimental | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, param, value):\n if value is None:\n return\n config = ExperimentConfiguration(value)\n config.validate()\n return config\n",
"role": "user"
},
{
"content": "validate_experimental",
"role": "assistant"
}
] |
def x():
try:
repo = git.Repo()
except git.InvalidGitRepositoryError:
LOGGER.warning(
"""We highly recommend keeping your model in a git repository. It allows you to track changes and to easily collaborate with others via online platforms such as https://github.com.
"""
)
return
if repo.is_dirty():
LOGGER.critical(
'Please git commit or git stash all changes before running the memote suite.'
)
sys.exit(1)
return repo
| probe_git | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n repo = git.Repo()\n except git.InvalidGitRepositoryError:\n LOGGER.warning(\n \"\"\"We highly recommend keeping your model in a git repository. It allows you to track changes and to easily collaborate with others via online platforms such as https://github.com.\n\"\"\"\n )\n return\n if repo.is_dirty():\n LOGGER.critical(\n 'Please git commit or git stash all changes before running the memote suite.'\n )\n sys.exit(1)\n return repo\n",
"role": "user"
},
{
"content": "probe_git",
"role": "assistant"
}
] |
def x():
LOGGER.info('Checking `git` installation.')
try:
check_output(['git', '--version'])
except CalledProcessError as e:
LOGGER.critical(
'The execution of memote was interrupted since no installation of `git` could be detected. Please install git to use this functionality: https://git-scm.com/book/en/v2/Getting-Started-Installing-Git'
)
LOGGER.debug('Underlying error:', exc_info=e)
sys.exit(1)
| git_installed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n LOGGER.info('Checking `git` installation.')\n try:\n check_output(['git', '--version'])\n except CalledProcessError as e:\n LOGGER.critical(\n 'The execution of memote was interrupted since no installation of `git` could be detected. Please install git to use this functionality: https://git-scm.com/book/en/v2/Getting-Started-Installing-Git'\n )\n LOGGER.debug('Underlying error:', exc_info=e)\n sys.exit(1)\n",
"role": "user"
},
{
"content": "git_installed",
"role": "assistant"
}
] |
def x(self, commit=None):
if commit is None:
commit = self._repo.head.commit
else:
commit = self._repo.commit(commit)
return GitInfo(hexsha=commit.hexsha, author=commit.author.name, email=
commit.author.email, authored_on=commit.authored_datetime)
| record_git_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commit=None):\n if commit is None:\n commit = self._repo.head.commit\n else:\n commit = self._repo.commit(commit)\n return GitInfo(hexsha=commit.hexsha, author=commit.author.name, email=\n commit.author.email, authored_on=commit.authored_datetime)\n",
"role": "user"
},
{
"content": "record_git_info",
"role": "assistant"
}
] |
def x(meta, git_info):
meta['hexsha'] = git_info.hexsha
meta['author'] = git_info.author
meta['email'] = git_info.email
meta['authored_on'] = git_info.authored_on.isoformat(' ')
| add_git | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta, git_info):\n meta['hexsha'] = git_info.hexsha\n meta['author'] = git_info.author\n meta['email'] = git_info.email\n meta['authored_on'] = git_info.authored_on.isoformat(' ')\n",
"role": "user"
},
{
"content": "add_git",
"role": "assistant"
}
] |
def x(self, result, commit=None, **kwargs):
git_info = self.record_git_info(commit)
self.add_git(result.meta, git_info)
filename = self.get_filename(git_info)
super(RepoResultManager, self).store(result, filename=filename, **kwargs)
| store | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, commit=None, **kwargs):\n git_info = self.record_git_info(commit)\n self.add_git(result.meta, git_info)\n filename = self.get_filename(git_info)\n super(RepoResultManager, self).store(result, filename=filename, **kwargs)\n",
"role": "user"
},
{
"content": "store",
"role": "assistant"
}
] |
def x(self, commit=None):
git_info = self.record_git_info(commit)
LOGGER.debug("Loading the result for commit '%s'.", git_info.hexsha)
filename = self.get_filename(git_info)
LOGGER.debug("Loading the result '%s'.", filename)
result = super(RepoResultManager, self).load(filename)
self.add_git(result.meta, git_info)
return result
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commit=None):\n git_info = self.record_git_info(commit)\n LOGGER.debug(\"Loading the result for commit '%s'.\", git_info.hexsha)\n filename = self.get_filename(git_info)\n LOGGER.debug(\"Loading the result '%s'.\", filename)\n result = super(RepoResultManager, self).load(filename)\n self.add_git(result.meta, git_info)\n return result\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(filename):
if filename == 'default':
return filename
filename = expanduser(filename)
if isabs(filename):
return filename
else:
return join(os.getcwd(), filename)
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n if filename == 'default':\n return filename\n filename = expanduser(filename)\n if isabs(filename):\n return filename\n else:\n return join(os.getcwd(), filename)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(self, dtype_conversion=None):
if dtype_conversion is None:
dtype_conversion = {'growth': str}
super(GrowthExperiment, self).load(dtype_conversion=dtype_conversion)
self.data['growth'] = self.data['growth'].isin(self.TRUTHY)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dtype_conversion=None):\n if dtype_conversion is None:\n dtype_conversion = {'growth': str}\n super(GrowthExperiment, self).load(dtype_conversion=dtype_conversion)\n self.data['growth'] = self.data['growth'].isin(self.TRUTHY)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, model, threshold=0.1):
with model:
if self.medium is not None:
self.medium.apply(model)
if self.objective is not None:
model.objective = self.objective
model.add_cons_vars(self.constraints)
threshold *= model.slim_optimize()
growth = list()
for row in self.data.itertuples(index=False):
with model:
exchange = model.reactions.get_by_id(row.exchange)
if bool(exchange.reactants):
exchange.lower_bound = -row.uptake
else:
exchange.upper_bound = row.uptake
growth.append(model.slim_optimize() >= threshold)
return DataFrame({'exchange': self.data['exchange'], 'growth': growth})
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, threshold=0.1):\n with model:\n if self.medium is not None:\n self.medium.apply(model)\n if self.objective is not None:\n model.objective = self.objective\n model.add_cons_vars(self.constraints)\n threshold *= model.slim_optimize()\n growth = list()\n for row in self.data.itertuples(index=False):\n with model:\n exchange = model.reactions.get_by_id(row.exchange)\n if bool(exchange.reactants):\n exchange.lower_bound = -row.uptake\n else:\n exchange.upper_bound = row.uptake\n growth.append(model.slim_optimize() >= threshold)\n return DataFrame({'exchange': self.data['exchange'], 'growth': growth})\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, value, dialect):
try:
with BytesIO() as stream:
with GzipFile(fileobj=stream, mode='wb') as file_handle:
file_handle.write(jsonify(value, pretty=False).encode('utf-8'))
output = stream.getvalue()
return output
except TypeError as error:
log_json_incompatible_types(value)
raise_with_traceback(error)
| process_bind_param | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, dialect):\n try:\n with BytesIO() as stream:\n with GzipFile(fileobj=stream, mode='wb') as file_handle:\n file_handle.write(jsonify(value, pretty=False).encode('utf-8'))\n output = stream.getvalue()\n return output\n except TypeError as error:\n log_json_incompatible_types(value)\n raise_with_traceback(error)\n",
"role": "user"
},
{
"content": "process_bind_param",
"role": "assistant"
}
] |
def x(self, value, dialect):
if value is not None:
with BytesIO(value) as stream:
with GzipFile(fileobj=stream, mode='rb') as file_handle:
value = json.loads(file_handle.read().decode('utf-8'))
return value
| process_result_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, dialect):\n if value is not None:\n with BytesIO(value) as stream:\n with GzipFile(fileobj=stream, mode='rb') as file_handle:\n value = json.loads(file_handle.read().decode('utf-8'))\n return value\n",
"role": "user"
},
{
"content": "process_result_value",
"role": "assistant"
}
] |
def x(self, name, value, attrs=None, **kwargs):
min_score = zxcvbn_min_score()
message_title = _('Warning')
message_body = _(
'This password would take <em class="password_strength_time"></em> to crack.'
)
strength_markup = """
<div class="progress-bloc" style="margin-top: 10px;">
<div class="progress" style="margin-bottom: 10px;">
<div class="progress-bar
progress-bar-warning
password_strength_bar"
role="progressbar"
aria-valuenow="0"
aria-valuemin="{min_score}"
aria-valuemax="4"
style="width: 0%%">
</div>
</div>
<p class="text-muted password_strength_info hidden">
<span class="label label-danger">
{title}
</span>
<span style="margin-left:5px;">
{body}
</span>
</p>
</div>
"""
strength_markup = strength_markup.format(title=message_title, body=
message_body, min_score=min_score)
try:
self.attrs['class'] = '%s password_strength'.strip() % self.attrs[
'class']
except KeyError:
self.attrs['class'] = 'password_strength'
return mark_safe(super(PasswordStrengthInput, self).render(name, value,
attrs) + strength_markup)
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, attrs=None, **kwargs):\n min_score = zxcvbn_min_score()\n message_title = _('Warning')\n message_body = _(\n 'This password would take <em class=\"password_strength_time\"></em> to crack.'\n )\n strength_markup = \"\"\"\n <div class=\"progress-bloc\" style=\"margin-top: 10px;\">\n <div class=\"progress\" style=\"margin-bottom: 10px;\">\n <div class=\"progress-bar\n progress-bar-warning\n password_strength_bar\"\n role=\"progressbar\"\n aria-valuenow=\"0\"\n aria-valuemin=\"{min_score}\"\n aria-valuemax=\"4\"\n style=\"width: 0%%\">\n </div>\n </div>\n <p class=\"text-muted password_strength_info hidden\">\n <span class=\"label label-danger\">\n {title}\n </span>\n <span style=\"margin-left:5px;\">\n {body}\n </span>\n </p>\n </div>\n \"\"\"\n strength_markup = strength_markup.format(title=message_title, body=\n message_body, min_score=min_score)\n try:\n self.attrs['class'] = '%s password_strength'.strip() % self.attrs[\n 'class']\n except KeyError:\n self.attrs['class'] = 'password_strength'\n return mark_safe(super(PasswordStrengthInput, self).render(name, value,\n attrs) + strength_markup)\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(self, name, value, attrs=None, **kwargs):
if self.confirm_with:
self.attrs['data-confirm-with'] = 'id_%s' % self.confirm_with
confirmation_markup = (
"""
<div style="margin-top: 10px;" class="hidden password_strength_info">
<p class="text-muted">
<span class="label label-danger">
%s
</span>
<span style="margin-left:5px;">%s</span>
</p>
</div>
"""
% (_('Warning'), _("Your passwords don't match.")))
try:
self.attrs['class'] = '%s password_confirmation'.strip() % self.attrs[
'class']
except KeyError:
self.attrs['class'] = 'password_confirmation'
return mark_safe(super(PasswordConfirmationInput, self).render(name,
value, attrs) + confirmation_markup)
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, attrs=None, **kwargs):\n if self.confirm_with:\n self.attrs['data-confirm-with'] = 'id_%s' % self.confirm_with\n confirmation_markup = (\n \"\"\"\n <div style=\"margin-top: 10px;\" class=\"hidden password_strength_info\">\n <p class=\"text-muted\">\n <span class=\"label label-danger\">\n %s\n </span>\n <span style=\"margin-left:5px;\">%s</span>\n </p>\n </div>\n \"\"\"\n % (_('Warning'), _(\"Your passwords don't match.\")))\n try:\n self.attrs['class'] = '%s password_confirmation'.strip() % self.attrs[\n 'class']\n except KeyError:\n self.attrs['class'] = 'password_confirmation'\n return mark_safe(super(PasswordConfirmationInput, self).render(name,\n value, attrs) + confirmation_markup)\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(self, password, user=None):
user_inputs = []
if user is not None:
for attribute in self.user_attributes:
if hasattr(user, attribute):
user_inputs.append(getattr(user, attribute))
results = zxcvbn(password, user_inputs=user_inputs)
if results.get('score', 0) < self.min_score:
feedback = ', '.join(results.get('feedback', {}).get('suggestions', [])
)
raise ValidationError(_(feedback), code=self.code, params={})
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, password, user=None):\n user_inputs = []\n if user is not None:\n for attribute in self.user_attributes:\n if hasattr(user, attribute):\n user_inputs.append(getattr(user, attribute))\n results = zxcvbn(password, user_inputs=user_inputs)\n if results.get('score', 0) < self.min_score:\n feedback = ', '.join(results.get('feedback', {}).get('suggestions', [])\n )\n raise ValidationError(_(feedback), code=self.code, params={})\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(html):
parser = MyHTMLParser()
parser.feed(html)
if parser.is_code:
return 'code', parser.data.strip()
elif parser.is_math:
return 'math', parser.data.strip()
else:
return '', ''
| get_html_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html):\n parser = MyHTMLParser()\n parser.feed(html)\n if parser.is_code:\n return 'code', parser.data.strip()\n elif parser.is_math:\n return 'math', parser.data.strip()\n else:\n return '', ''\n",
"role": "user"
},
{
"content": "get_html_contents",
"role": "assistant"
}
] |
def x(s):
if isinstance(s, string_types):
try:
return op.exists(s)
except (OSError, ValueError):
return False
else:
return False
| is_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n if isinstance(s, string_types):\n try:\n return op.exists(s)\n except (OSError, ValueError):\n return False\n else:\n return False\n",
"role": "user"
},
{
"content": "is_path",
"role": "assistant"
}
] |
def x(cls):
if cls._instance is None:
cls._instance = cls().register_entrypoints()
return cls._instance
| format_manager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if cls._instance is None:\n cls._instance = cls().register_entrypoints()\n return cls._instance\n",
"role": "user"
},
{
"content": "format_manager",
"role": "assistant"
}
] |
def x(self):
for spec in iter_entry_points(self.entry_point_group):
format_properties = {'name': spec.name}
try:
format_properties.update(spec.load())
except (DistributionNotFound, ImportError) as err:
self.log.info('ipymd format {} could not be loaded: {}'.format(
spec.name, err))
continue
self.register(**format_properties)
return self
| register_entrypoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for spec in iter_entry_points(self.entry_point_group):\n format_properties = {'name': spec.name}\n try:\n format_properties.update(spec.load())\n except (DistributionNotFound, ImportError) as err:\n self.log.info('ipymd format {} could not be loaded: {}'.format(\n spec.name, err))\n continue\n self.register(**format_properties)\n return self\n",
"role": "user"
},
{
"content": "register_entrypoints",
"role": "assistant"
}
] |
def x(self, extension):
formats = [name for name, format in self._formats.items() if format.get
('file_extension', None) == extension]
if len(formats) == 0:
return None
elif len(formats) == 2:
raise RuntimeError(
'Several extensions are registered with that extension; please specify the format explicitly.'
)
else:
return formats[0]
| format_from_extension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, extension):\n formats = [name for name, format in self._formats.items() if format.get\n ('file_extension', None) == extension]\n if len(formats) == 0:\n return None\n elif len(formats) == 2:\n raise RuntimeError(\n 'Several extensions are registered with that extension; please specify the format explicitly.'\n )\n else:\n return formats[0]\n",
"role": "user"
},
{
"content": "format_from_extension",
"role": "assistant"
}
] |
def x(self, file, name=None):
if name is None:
name = self.format_from_extension(op.splitext(file)[1])
file_format = self.file_type(name)
if file_format == 'text':
return _read_text(file)
elif file_format == 'json':
return _read_json(file)
else:
load_function = self._formats[name].get('load', None)
if load_function is None:
raise IOError(
'The format must declare a file type or load/save functions.')
return load_function(file)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, name=None):\n if name is None:\n name = self.format_from_extension(op.splitext(file)[1])\n file_format = self.file_type(name)\n if file_format == 'text':\n return _read_text(file)\n elif file_format == 'json':\n return _read_json(file)\n else:\n load_function = self._formats[name].get('load', None)\n if load_function is None:\n raise IOError(\n 'The format must declare a file type or load/save functions.')\n return load_function(file)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, file, contents, name=None, overwrite=False):
if name is None:
name = self.format_from_extension(op.splitext(file)[1])
file_format = self.file_type(name)
if file_format == 'text':
_write_text(file, contents)
elif file_format == 'json':
_write_json(file, contents)
else:
write_function = self._formats[name].get('save', None)
if write_function is None:
raise IOError(
'The format must declare a file type or load/save functions.')
if op.exists(file) and not overwrite:
print('The file already exists, please use overwrite=True.')
return
write_function(file, contents)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, contents, name=None, overwrite=False):\n if name is None:\n name = self.format_from_extension(op.splitext(file)[1])\n file_format = self.file_type(name)\n if file_format == 'text':\n _write_text(file, contents)\n elif file_format == 'json':\n _write_json(file, contents)\n else:\n write_function = self._formats[name].get('save', None)\n if write_function is None:\n raise IOError(\n 'The format must declare a file type or load/save functions.')\n if op.exists(file) and not overwrite:\n print('The file already exists, please use overwrite=True.')\n return\n write_function(file, contents)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, name, *args, **kwargs):
self._check_format(name)
return self._formats[name]['reader'](*args, **kwargs)
| create_reader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, *args, **kwargs):\n self._check_format(name)\n return self._formats[name]['reader'](*args, **kwargs)\n",
"role": "user"
},
{
"content": "create_reader",
"role": "assistant"
}
] |
def x(self, name, *args, **kwargs):
self._check_format(name)
return self._formats[name]['writer'](*args, **kwargs)
| create_writer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, *args, **kwargs):\n self._check_format(name)\n return self._formats[name]['writer'](*args, **kwargs)\n",
"role": "user"
},
{
"content": "create_writer",
"role": "assistant"
}
] |
def x(self, contents_or_path, from_=None, to=None, reader=None, writer=None,
from_kwargs=None, to_kwargs=None):
if _is_path(contents_or_path):
contents = self.load(contents_or_path, from_)
else:
contents = contents_or_path
if from_kwargs is None:
from_kwargs = {}
if to_kwargs is None:
to_kwargs = {}
if reader is None:
reader = self.create_reader(from_, **from_kwargs
) if from_ is not None else None
if writer is None:
writer = self.create_writer(to, **to_kwargs
) if to is not None else None
if reader is not None:
cells = [cell for cell in reader.read(contents)]
else:
cells = contents
notebook_metadata = [cell for cell in cells if cell['cell_type'] ==
'notebook_metadata']
if writer is not None:
if notebook_metadata:
[cells.remove(cell) for cell in notebook_metadata]
notebook_metadata = self.clean_meta(notebook_metadata[0][
'metadata'])
if hasattr(writer, 'write_notebook_metadata'):
writer.write_notebook_metadata(notebook_metadata)
else:
print(
'{} does not support notebook metadata, dropping metadata: {}'
.format(writer, notebook_metadata))
for cell in cells:
meta = self.clean_cell_meta(cell.get('metadata', {}))
if not meta:
cell.pop('metadata', None)
writer.write(cell)
return writer.contents
else:
return cells
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contents_or_path, from_=None, to=None, reader=None, writer=None,\n from_kwargs=None, to_kwargs=None):\n if _is_path(contents_or_path):\n contents = self.load(contents_or_path, from_)\n else:\n contents = contents_or_path\n if from_kwargs is None:\n from_kwargs = {}\n if to_kwargs is None:\n to_kwargs = {}\n if reader is None:\n reader = self.create_reader(from_, **from_kwargs\n ) if from_ is not None else None\n if writer is None:\n writer = self.create_writer(to, **to_kwargs\n ) if to is not None else None\n if reader is not None:\n cells = [cell for cell in reader.read(contents)]\n else:\n cells = contents\n notebook_metadata = [cell for cell in cells if cell['cell_type'] ==\n 'notebook_metadata']\n if writer is not None:\n if notebook_metadata:\n [cells.remove(cell) for cell in notebook_metadata]\n notebook_metadata = self.clean_meta(notebook_metadata[0][\n 'metadata'])\n if hasattr(writer, 'write_notebook_metadata'):\n writer.write_notebook_metadata(notebook_metadata)\n else:\n print(\n '{} does not support notebook metadata, dropping metadata: {}'\n .format(writer, notebook_metadata))\n for cell in cells:\n meta = self.clean_cell_meta(cell.get('metadata', {}))\n if not meta:\n cell.pop('metadata', None)\n writer.write(cell)\n return writer.contents\n else:\n return cells\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(self, meta):
if not self.verbose_metadata:
default_kernel_name = self.default_kernel_name or self._km.kernel_name
if meta.get('kernelspec', {}).get('name', None) == default_kernel_name:
del meta['kernelspec']
meta.pop('language_info', None)
return meta
| clean_meta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, meta):\n if not self.verbose_metadata:\n default_kernel_name = self.default_kernel_name or self._km.kernel_name\n if meta.get('kernelspec', {}).get('name', None) == default_kernel_name:\n del meta['kernelspec']\n meta.pop('language_info', None)\n return meta\n",
"role": "user"
},
{
"content": "clean_meta",
"role": "assistant"
}
] |
def x(self, meta):
for k, v in DEFAULT_CELL_METADATA.items():
if meta.get(k, None) == v:
meta.pop(k, None)
return meta
| clean_cell_meta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, meta):\n for k, v in DEFAULT_CELL_METADATA.items():\n if meta.get(k, None) == v:\n meta.pop(k, None)\n return meta\n",
"role": "user"
},
{
"content": "clean_cell_meta",
"role": "assistant"
}
] |
def x(line, regex):
if not regex.startswith('^'):
regex = '^' + regex
reg = re.compile(regex)
return reg.match(line)
| starts_with_regex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, regex):\n if not regex.startswith('^'):\n regex = '^' + regex\n reg = re.compile(regex)\n return reg.match(line)\n",
"role": "user"
},
{
"content": "starts_with_regex",
"role": "assistant"
}
] |
def x(prompt):
if prompt is None:
prompt = 'python'
if prompt == 'python':
prompt = PythonPromptManager
elif prompt == 'ipython':
prompt = IPythonPromptManager
if isinstance(prompt, BasePromptManager):
return prompt
else:
return prompt()
| create_prompt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt):\n if prompt is None:\n prompt = 'python'\n if prompt == 'python':\n prompt = PythonPromptManager\n elif prompt == 'ipython':\n prompt = IPythonPromptManager\n if isinstance(prompt, BasePromptManager):\n return prompt\n else:\n return prompt()\n",
"role": "user"
},
{
"content": "create_prompt",
"role": "assistant"
}
] |
def x(self, text):
lines = _to_lines(text)
i = 0
for line in lines:
if _starts_with_regex(line, self.input_prompt_regex):
i += 1
else:
break
return lines[:i], lines[i:]
| split_input_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n lines = _to_lines(text)\n i = 0\n for line in lines:\n if _starts_with_regex(line, self.input_prompt_regex):\n i += 1\n else:\n break\n return lines[:i], lines[i:]\n",
"role": "user"
},
{
"content": "split_input_output",
"role": "assistant"
}
] |
def x(self, path, content=True, type=None, format=None):
path = path.strip('/')
file_extension = format_manager().file_extension(self.format)
if not self.exists(path):
raise web.HTTPError(404, u'No such file or directory: %s' % path)
os_path = self._get_os_path(path)
if os.path.isdir(os_path):
if type not in (None, 'directory'):
raise web.HTTPError(400, u'%s is a directory, not a %s' % (path,
type), reason='bad type')
model = self._dir_model(path, content=content)
elif type == 'notebook' or type is None and (path.endswith('.ipynb') or
path.endswith(file_extension)):
model = self._notebook_model(path, content=content)
else:
if type == 'directory':
raise web.HTTPError(400, u'%s is not a directory', reason=
'bad type')
model = self._file_model(path, content=content, format=format)
return model
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, content=True, type=None, format=None):\n path = path.strip('/')\n file_extension = format_manager().file_extension(self.format)\n if not self.exists(path):\n raise web.HTTPError(404, u'No such file or directory: %s' % path)\n os_path = self._get_os_path(path)\n if os.path.isdir(os_path):\n if type not in (None, 'directory'):\n raise web.HTTPError(400, u'%s is a directory, not a %s' % (path,\n type), reason='bad type')\n model = self._dir_model(path, content=content)\n elif type == 'notebook' or type is None and (path.endswith('.ipynb') or\n path.endswith(file_extension)):\n model = self._notebook_model(path, content=content)\n else:\n if type == 'directory':\n raise web.HTTPError(400, u'%s is not a directory', reason=\n 'bad type')\n model = self._file_model(path, content=content, format=format)\n return model\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, os_path, as_version=4):
with self.open(os_path, 'r', encoding='utf-8') as f:
try:
file_ext = _file_extension(os_path)
if file_ext == '.ipynb':
return nbformat.read(f, as_version=as_version)
else:
return convert(os_path, from_=self.format, to='notebook')
except Exception as e:
raise HTTPError(400, u'Unreadable Notebook: %s %r' % (os_path, e))
| read_notebook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, os_path, as_version=4):\n with self.open(os_path, 'r', encoding='utf-8') as f:\n try:\n file_ext = _file_extension(os_path)\n if file_ext == '.ipynb':\n return nbformat.read(f, as_version=as_version)\n else:\n return convert(os_path, from_=self.format, to='notebook')\n except Exception as e:\n raise HTTPError(400, u'Unreadable Notebook: %s %r' % (os_path, e))\n",
"role": "user"
},
{
"content": "read_notebook",
"role": "assistant"
}
] |
def x(self, model, path=''):
path = path.strip('/')
if 'type' not in model:
raise web.HTTPError(400, u'No file type provided')
if 'content' not in model and model['type'] != 'directory':
raise web.HTTPError(400, u'No file content provided')
self.run_pre_save_hook(model=model, path=path)
os_path = self._get_os_path(path)
self.log.debug('Saving %s', os_path)
try:
if model['type'] == 'notebook':
file_ext = _file_extension(os_path)
if file_ext == '.ipynb':
nb = nbformat.from_dict(model['content'])
self.check_and_sign(nb, path)
self._save_notebook(os_path, nb)
else:
contents = convert(model['content'], from_='notebook', to=
self.format)
if format_manager().file_type(self.format) in ('text', 'json'):
self._save_file(os_path, contents, 'text')
else:
format_manager().save(os_path, contents, name=self.
format, overwrite=True)
if not self.checkpoints.list_checkpoints(path):
self.create_checkpoint(path)
elif model['type'] == 'file':
self._save_file(os_path, model['content'], model.get('format'))
elif model['type'] == 'directory':
self._save_directory(os_path, model, path)
else:
raise web.HTTPError(400, 'Unhandled contents type: %s' % model[
'type'])
except web.HTTPError:
raise
except Exception as e:
self.log.error(u'Error while saving file: %s %s', path, e, exc_info
=True)
raise web.HTTPError(500,
u'Unexpected error while saving file: %s %s' % (path, e))
validation_message = None
if model['type'] == 'notebook':
self.validate_notebook_model(model)
validation_message = model.get('message', None)
model = self.get(path, content=False)
if validation_message:
model['message'] = validation_message
self.run_post_save_hook(model=model, os_path=os_path)
return model
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, path=''):\n path = path.strip('/')\n if 'type' not in model:\n raise web.HTTPError(400, u'No file type provided')\n if 'content' not in model and model['type'] != 'directory':\n raise web.HTTPError(400, u'No file content provided')\n self.run_pre_save_hook(model=model, path=path)\n os_path = self._get_os_path(path)\n self.log.debug('Saving %s', os_path)\n try:\n if model['type'] == 'notebook':\n file_ext = _file_extension(os_path)\n if file_ext == '.ipynb':\n nb = nbformat.from_dict(model['content'])\n self.check_and_sign(nb, path)\n self._save_notebook(os_path, nb)\n else:\n contents = convert(model['content'], from_='notebook', to=\n self.format)\n if format_manager().file_type(self.format) in ('text', 'json'):\n self._save_file(os_path, contents, 'text')\n else:\n format_manager().save(os_path, contents, name=self.\n format, overwrite=True)\n if not self.checkpoints.list_checkpoints(path):\n self.create_checkpoint(path)\n elif model['type'] == 'file':\n self._save_file(os_path, model['content'], model.get('format'))\n elif model['type'] == 'directory':\n self._save_directory(os_path, model, path)\n else:\n raise web.HTTPError(400, 'Unhandled contents type: %s' % model[\n 'type'])\n except web.HTTPError:\n raise\n except Exception as e:\n self.log.error(u'Error while saving file: %s %s', path, e, exc_info\n =True)\n raise web.HTTPError(500, \n u'Unexpected error while saving file: %s %s' % (path, e))\n validation_message = None\n if model['type'] == 'notebook':\n self.validate_notebook_model(model)\n validation_message = model.get('message', None)\n model = self.get(path, content=False)\n if validation_message:\n model['message'] = validation_message\n self.run_post_save_hook(model=model, os_path=os_path)\n return model\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(python):
python = _preprocess(python)
if not python:
return []
lexer = PythonSplitLexer()
lexer.read(python)
return lexer.chunks
| split_python | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(python):\n python = _preprocess(python)\n if not python:\n return []\n lexer = PythonSplitLexer()\n lexer.read(python)\n return lexer.chunks\n",
"role": "user"
},
{
"content": "split_python",
"role": "assistant"
}
] |
def x(source):
lines = source.splitlines()
if all(line.startswith('# ') for line in lines):
source = '\n'.join(line[2:] for line in lines if not line[2:].
startswith('#'))
if not source:
return True
return not _is_python(source)
return False
| is_chunk_markdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source):\n lines = source.splitlines()\n if all(line.startswith('# ') for line in lines):\n source = '\\n'.join(line[2:] for line in lines if not line[2:].\n startswith('#'))\n if not source:\n return True\n return not _is_python(source)\n return False\n",
"role": "user"
},
{
"content": "is_chunk_markdown",
"role": "assistant"
}
] |
def x(source):
source = '\n'.join('# ' + line.rstrip() for line in source.splitlines())
return source
| add_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source):\n source = '\\n'.join('# ' + line.rstrip() for line in source.splitlines())\n return source\n",
"role": "user"
},
{
"content": "add_hash",
"role": "assistant"
}
] |
def x(source, filters):
lines = source.splitlines()
headers = [_replace_header_filter(filter) for filter in filters]
lines = [line for line in lines if line.startswith(tuple(headers))]
return '\n'.join(lines)
| filter_markdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, filters):\n lines = source.splitlines()\n headers = [_replace_header_filter(filter) for filter in filters]\n lines = [line for line in lines if line.startswith(tuple(headers))]\n return '\\n'.join(lines)\n",
"role": "user"
},
{
"content": "filter_markdown",
"role": "assistant"
}
] |
def x(self, m):
level = 1 if m.group(2) == '=' else 2
self.renderer.heading(m.group(1), level=level)
| parse_lheading | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m):\n level = 1 if m.group(2) == '=' else 2\n self.renderer.heading(m.group(1), level=level)\n",
"role": "user"
},
{
"content": "parse_lheading",
"role": "assistant"
}
] |
def x(self, n):
assert n >= 0
text = self._output.getvalue().rstrip('\n')
if not text:
return
self._output = StringIO()
self._output.write(text)
self._output.write('\n' * n)
text = self._output.getvalue()
assert text[-n - 1] != '\n'
assert text[-n:] == '\n' * n
| ensure_newline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n assert n >= 0\n text = self._output.getvalue().rstrip('\\n')\n if not text:\n return\n self._output = StringIO()\n self._output.write(text)\n self._output.write('\\n' * n)\n text = self._output.getvalue()\n assert text[-n - 1] != '\\n'\n assert text[-n:] == '\\n' * n\n",
"role": "user"
},
{
"content": "ensure_newline",
"role": "assistant"
}
] |
def x(self, m):
body = m.group('body')
is_notebook = m.group('sep_close') == '---'
if is_notebook:
body = body.strip()[:-3] + '...'
try:
if body:
return self._meta(yaml.safe_load(m.group('body')), is_notebook)
else:
return self._meta({'ipymd': {'empty_meta': True}}, is_notebook)
except Exception as err:
raise Exception(body, err)
| meta_from_regex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m):\n body = m.group('body')\n is_notebook = m.group('sep_close') == '---'\n if is_notebook:\n body = body.strip()[:-3] + '...'\n try:\n if body:\n return self._meta(yaml.safe_load(m.group('body')), is_notebook)\n else:\n return self._meta({'ipymd': {'empty_meta': True}}, is_notebook)\n except Exception as err:\n raise Exception(body, err)\n",
"role": "user"
},
{
"content": "meta_from_regex",
"role": "assistant"
}
] |
def x(self, source):
input, output = self._prompt.to_cell(source)
return {'cell_type': 'code', 'input': input, 'output': output}
| code_cell | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source):\n input, output = self._prompt.to_cell(source)\n return {'cell_type': 'code', 'input': input, 'output': output}\n",
"role": "user"
},
{
"content": "code_cell",
"role": "assistant"
}
] |
def x(text, tab=4):
text = re.sub('\\r\\n|\\r', '\n', text)
text = text.replace('\t', ' ' * tab)
text = text.replace('\xa0', ' ')
text = text.replace('', '\n')
pattern = re.compile('^ +$', re.M)
text = pattern.sub('', text)
text = _rstrip_lines(text)
return text
| preprocess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, tab=4):\n text = re.sub('\\\\r\\\\n|\\\\r', '\\n', text)\n text = text.replace('\\t', ' ' * tab)\n text = text.replace('\\xa0', ' ')\n text = text.replace('', '\\n')\n pattern = re.compile('^ +$', re.M)\n text = pattern.sub('', text)\n text = _rstrip_lines(text)\n return text\n",
"role": "user"
},
{
"content": "preprocess",
"role": "assistant"
}
] |
def x(text_0, text_1):
diff = difflib.ndiff(text_0.splitlines(), text_1.splitlines())
return _diff_removed_lines(diff)
| diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text_0, text_1):\n diff = difflib.ndiff(text_0.splitlines(), text_1.splitlines())\n return _diff_removed_lines(diff)\n",
"role": "user"
},
{
"content": "diff",
"role": "assistant"
}
] |
def x(file, contents):
with open(file, 'w') as f:
return json.dump(contents, f, indent=2, sort_keys=True)
| write_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, contents):\n with open(file, 'w') as f:\n return json.dump(contents, f, indent=2, sort_keys=True)\n",
"role": "user"
},
{
"content": "write_json",
"role": "assistant"
}
] |
def x():
style = ListStyle(name='_numbered_list')
lls = ListLevelStyleNumber(level=1)
lls.setAttribute('displaylevels', 1)
lls.setAttribute('numsuffix', '. ')
lls.setAttribute('numformat', '1')
llp = ListLevelProperties()
llp.setAttribute('listlevelpositionandspacemode', 'label-alignment')
llla = ListLevelLabelAlignment(labelfollowedby='listtab')
llla.setAttribute('listtabstopposition', '1.27cm')
llla.setAttribute('textindent', '-0.635cm')
llla.setAttribute('marginleft', '1.27cm')
llp.addElement(llla)
lls.addElement(llp)
style.addElement(lls)
return style
| numbered_style | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n style = ListStyle(name='_numbered_list')\n lls = ListLevelStyleNumber(level=1)\n lls.setAttribute('displaylevels', 1)\n lls.setAttribute('numsuffix', '. ')\n lls.setAttribute('numformat', '1')\n llp = ListLevelProperties()\n llp.setAttribute('listlevelpositionandspacemode', 'label-alignment')\n llla = ListLevelLabelAlignment(labelfollowedby='listtab')\n llla.setAttribute('listtabstopposition', '1.27cm')\n llla.setAttribute('textindent', '-0.635cm')\n llla.setAttribute('marginleft', '1.27cm')\n llp.addElement(llla)\n lls.addElement(llp)\n style.addElement(lls)\n return style\n",
"role": "user"
},
{
"content": "numbered_style",
"role": "assistant"
}
] |
def x(name, family=None, **kwargs):
if family == 'paragraph' and 'marginbottom' not in kwargs:
kwargs['marginbottom'] = '.5cm'
style = Style(name=name, family=family)
kwargs_par = {}
keys = sorted(kwargs.keys())
for k in keys:
if 'margin' in k:
kwargs_par[k] = kwargs.pop(k)
style.addElement(TextProperties(**kwargs))
if kwargs_par:
style.addElement(ParagraphProperties(**kwargs_par))
return style
| create_style | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, family=None, **kwargs):\n if family == 'paragraph' and 'marginbottom' not in kwargs:\n kwargs['marginbottom'] = '.5cm'\n style = Style(name=name, family=family)\n kwargs_par = {}\n keys = sorted(kwargs.keys())\n for k in keys:\n if 'margin' in k:\n kwargs_par[k] = kwargs.pop(k)\n style.addElement(TextProperties(**kwargs))\n if kwargs_par:\n style.addElement(ParagraphProperties(**kwargs_par))\n return style\n",
"role": "user"
},
{
"content": "create_style",
"role": "assistant"
}
] |
def x():
styles = {}
def x(name, **kwargs):
styles[name] = _create_style(name, **kwargs)
_add_style('heading-1', family='paragraph', fontsize='24pt', fontweight
='bold')
_add_style('heading-2', family='paragraph', fontsize='22pt', fontweight
='bold')
_add_style('heading-3', family='paragraph', fontsize='20pt', fontweight
='bold')
_add_style('heading-4', family='paragraph', fontsize='18pt', fontweight
='bold')
_add_style('heading-5', family='paragraph', fontsize='16pt', fontweight
='bold')
_add_style('heading-6', family='paragraph', fontsize='14pt', fontweight
='bold')
_add_style('normal-paragraph', family='paragraph', fontsize='12pt',
marginbottom='0.25cm')
_add_style('code', family='paragraph', fontsize='10pt', fontweight=
'bold', fontfamily='Courier New', color='#555555')
_add_style('quote', family='paragraph', fontsize='12pt', fontstyle='italic'
)
_add_style('list-paragraph', family='paragraph', fontsize='12pt',
marginbottom='.1cm')
_add_style('sublist-paragraph', family='paragraph', fontsize='12pt',
marginbottom='.1cm')
_add_style('numbered-list-paragraph', family='paragraph', fontsize=
'12pt', marginbottom='.1cm')
_add_style('normal-text', family='text', fontsize='12pt')
_add_style('italic', family='text', fontstyle='italic', fontsize='12pt')
_add_style('bold', family='text', fontweight='bold', fontsize='12pt')
_add_style('url', family='text', fontsize='12pt', fontweight='bold',
fontfamily='Courier')
_add_style('inline-code', family='text', fontsize='10pt', fontweight=
'bold', fontfamily='Courier New', color='#555555')
styles['_numbered_list'] = _numbered_style()
return styles
| default_styles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n styles = {}\n\n def x(name, **kwargs):\n styles[name] = _create_style(name, **kwargs)\n _add_style('heading-1', family='paragraph', fontsize='24pt', fontweight\n ='bold')\n _add_style('heading-2', family='paragraph', fontsize='22pt', fontweight\n ='bold')\n _add_style('heading-3', family='paragraph', fontsize='20pt', fontweight\n ='bold')\n _add_style('heading-4', family='paragraph', fontsize='18pt', fontweight\n ='bold')\n _add_style('heading-5', family='paragraph', fontsize='16pt', fontweight\n ='bold')\n _add_style('heading-6', family='paragraph', fontsize='14pt', fontweight\n ='bold')\n _add_style('normal-paragraph', family='paragraph', fontsize='12pt',\n marginbottom='0.25cm')\n _add_style('code', family='paragraph', fontsize='10pt', fontweight=\n 'bold', fontfamily='Courier New', color='#555555')\n _add_style('quote', family='paragraph', fontsize='12pt', fontstyle='italic'\n )\n _add_style('list-paragraph', family='paragraph', fontsize='12pt',\n marginbottom='.1cm')\n _add_style('sublist-paragraph', family='paragraph', fontsize='12pt',\n marginbottom='.1cm')\n _add_style('numbered-list-paragraph', family='paragraph', fontsize=\n '12pt', marginbottom='.1cm')\n _add_style('normal-text', family='text', fontsize='12pt')\n _add_style('italic', family='text', fontstyle='italic', fontsize='12pt')\n _add_style('bold', family='text', fontweight='bold', fontsize='12pt')\n _add_style('url', family='text', fontsize='12pt', fontweight='bold',\n fontfamily='Courier')\n _add_style('inline-code', family='text', fontsize='10pt', fontweight=\n 'bold', fontfamily='Courier New', color='#555555')\n styles['_numbered_list'] = _numbered_style()\n return styles\n",
"role": "user"
},
{
"content": "default_styles",
"role": "assistant"
}
] |
def x(path_or_doc):
if isinstance(path_or_doc, string_types):
doc = load(path_or_doc)
else:
if isinstance(path_or_doc, ODFDocument):
doc = path_or_doc._doc
else:
doc = path_or_doc
assert isinstance(doc, OpenDocument), doc
styles = {_style_name(style): style for style in doc.styles.childNodes}
return styles
| load_styles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_or_doc):\n if isinstance(path_or_doc, string_types):\n doc = load(path_or_doc)\n else:\n if isinstance(path_or_doc, ODFDocument):\n doc = path_or_doc._doc\n else:\n doc = path_or_doc\n assert isinstance(doc, OpenDocument), doc\n styles = {_style_name(style): style for style in doc.styles.childNodes}\n return styles\n",
"role": "user"
},
{
"content": "load_styles",
"role": "assistant"
}
] |
def x(item):
tag = item['tag']
style = item.get('style', None)
if tag == 'p':
if style is None or 'paragraph' in style:
return 'paragraph'
else:
return style
elif tag == 'span':
if style in (None, 'normal-text'):
return 'text'
elif style == 'url':
return 'link'
else:
return style
elif tag == 'h':
assert style is not None
return style
elif tag in ('list', 'list-item', 'line-break'):
if style == '_numbered_list':
return 'numbered-list'
else:
return tag
elif tag == 's':
return 'spaces'
raise Exception("The tag '{0}' with style '{1}' hasn't been implemented."
.format(tag, style))
| item_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item):\n tag = item['tag']\n style = item.get('style', None)\n if tag == 'p':\n if style is None or 'paragraph' in style:\n return 'paragraph'\n else:\n return style\n elif tag == 'span':\n if style in (None, 'normal-text'):\n return 'text'\n elif style == 'url':\n return 'link'\n else:\n return style\n elif tag == 'h':\n assert style is not None\n return style\n elif tag in ('list', 'list-item', 'line-break'):\n if style == '_numbered_list':\n return 'numbered-list'\n else:\n return tag\n elif tag == 's':\n return 'spaces'\n raise Exception(\"The tag '{0}' with style '{1}' hasn't been implemented.\"\n .format(tag, style))\n",
"role": "user"
},
{
"content": "item_type",
"role": "assistant"
}
] |
def x(self, **styles):
for stylename in sorted(styles):
self._doc.styles.addElement(styles[stylename])
| add_styles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **styles):\n for stylename in sorted(styles):\n self._doc.styles.addElement(styles[stylename])\n",
"role": "user"
},
{
"content": "add_styles",
"role": "assistant"
}
] |
def x(self, cls, **kwargs):
kwargs = self._replace_stylename(kwargs)
el = cls(**kwargs)
self._doc.text.addElement(el)
| add_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls, **kwargs):\n kwargs = self._replace_stylename(kwargs)\n el = cls(**kwargs)\n self._doc.text.addElement(el)\n",
"role": "user"
},
{
"content": "add_element",
"role": "assistant"
}
] |
def x(self, el):
if el.attributes is None:
return None
style_field = ('urn:oasis:names:tc:opendocument:xmlns:text:1.0',
'style-name')
name = el.attributes.get(style_field, None)
if not name:
return None
return self._get_style_name(name)
| style_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, el):\n if el.attributes is None:\n return None\n style_field = ('urn:oasis:names:tc:opendocument:xmlns:text:1.0',\n 'style-name')\n name = el.attributes.get(style_field, None)\n if not name:\n return None\n return self._get_style_name(name)\n",
"role": "user"
},
{
"content": "style_name",
"role": "assistant"
}
] |
def x(self, cls, **kwargs):
kwargs = self._replace_stylename(kwargs)
container = cls(**kwargs)
self._containers.append(container)
| start_container | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls, **kwargs):\n kwargs = self._replace_stylename(kwargs)\n container = cls(**kwargs)\n self._containers.append(container)\n",
"role": "user"
},
{
"content": "start_container",
"role": "assistant"
}
] |
def x(self, cancel=None):
if not self._containers:
return
container = self._containers.pop()
if len(self._containers) >= 1:
parent = self._containers[-1]
else:
parent = self._doc.text
if not cancel:
parent.addElement(container)
| end_container | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cancel=None):\n if not self._containers:\n return\n container = self._containers.pop()\n if len(self._containers) >= 1:\n parent = self._containers[-1]\n else:\n parent = self._doc.text\n if not cancel:\n parent.addElement(container)\n",
"role": "user"
},
{
"content": "end_container",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.