source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
plt.figure()
lev = self.leverages()
plt.xlabel('Sample Index')
plt.ylabel('Leverage')
plt.bar(left=range(lev.size), height=lev)
plt.hlines(y=1 / lev.size, xmin=0, xmax=lev.size, colors='r',
linestyles='--')
plt.show()
return None
| plot_leverages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n plt.figure()\n lev = self.leverages()\n plt.xlabel('Sample Index')\n plt.ylabel('Leverage')\n plt.bar(left=range(lev.size), height=lev)... |
def x(scale, copy=True):
if numpy.isscalar(scale):
if scale == 0.0:
scale = 1.0
return scale
elif isinstance(scale, numpy.ndarray):
if copy:
scale = scale.copy()
scale[scale == 0.0] = 1.0
return scale
| handle_zeros_in_scale | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scale, copy=True):\n if numpy.isscalar(scale):\n if scale == 0.0:\n scale = 1.0\n return scale\n elif isinstance(scale, numpy.nd... |
def x(self):
if hasattr(self, 'scale_'):
del self.scale_
del self.n_samples_seen_
del self.mean_
del self.var_
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, 'scale_'):\n del self.scale_\n del self.n_samples_seen_\n del self.mean_\n del self.var_\n",
"role... |
def x(self, X, y=None):
self._reset()
return self.partial_fit(X, y)
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y=None):\n self._reset()\n return self.partial_fit(X, y)\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(self, X, y=None):
X = check_array(X, accept_sparse=('csr', 'csc'), copy=self.copy,
warn_on_dtype=True, estimator=self, dtype=FLOAT_DTYPES)
if sparse.issparse(X):
if self.with_mean:
raise ValueError(
'Cannot center sparse matrices: pass `with_mean=False` instead. See docstring for motivation and alternatives.'
)
if self.with_std:
if not hasattr(self, 'n_samples_seen_'):
self.mean_, self.var_ = mean_variance_axis(X, axis=0)
self.n_samples_seen_ = X.shape[0]
else:
self.mean_, self.var_, self.n_samples_seen_ = (
incr_mean_variance_axis(X, axis=0, last_mean=self.mean_,
last_var=self.var_, last_n=self.n_samples_seen_))
else:
self.mean_ = None
self.var_ = None
else:
if not hasattr(self, 'n_samples_seen_'):
self.mean_ = 0.0
self.n_samples_seen_ = 0
if self.with_std:
self.var_ = 0.0
else:
self.var_ = None
self.mean_, self.var_, self.n_samples_seen_ = (
_incremental_mean_and_var(X, self.mean_, self.var_, self.
n_samples_seen_))
if self.with_std:
self.scale_ = _handle_zeros_in_scale(numpy.sqrt(self.var_)
) ** self.scale_power
else:
self.scale_ = None
return self
| partial_fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y=None):\n X = check_array(X, accept_sparse=('csr', 'csc'), copy=self.copy,\n warn_on_dtype=True, estimator=self, dtype=FLOAT_DTYPES)\n i... |
def x(self, X, y=None, copy=None):
check_is_fitted(self, 'scale_')
copy = copy if copy is not None else self.copy
X = check_array(X, accept_sparse='csr', copy=copy, warn_on_dtype=True,
estimator=self, dtype=FLOAT_DTYPES)
if sparse.issparse(X):
if self.with_mean:
raise ValueError(
'Cannot center sparse matrices: pass `with_mean=False` instead. See docstring for motivation and alternatives.'
)
if self.scale_ is not None:
inplace_column_scale(X, 1 / self.scale_)
else:
if self.with_mean:
X -= self.mean_
if self.with_std:
X /= self.scale_
return X
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y=None, copy=None):\n check_is_fitted(self, 'scale_')\n copy = copy if copy is not None else self.copy\n X = check_array(X, accept_sparse='cs... |
def x(self, X, copy=None):
check_is_fitted(self, 'scale_')
copy = copy if copy is not None else self.copy
if sparse.issparse(X):
if self.with_mean:
raise ValueError(
'Cannot uncenter sparse matrices: pass `with_mean=False` instead See docstring for motivation and alternatives.'
)
if not sparse.isspmatrix_csr(X):
X = X.tocsr()
copy = False
if copy:
X = X.copy()
if self.scale_ is not None:
inplace_column_scale(X, self.scale_)
else:
X = numpy.asarray(X)
if copy:
X = X.copy()
if self.with_std:
X *= self.scale_
if self.with_mean:
X += self.mean_
return X
| inverse_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, copy=None):\n check_is_fitted(self, 'scale_')\n copy = copy if copy is not None else self.copy\n if sparse.issparse(X):\n if self.with... |
def x(self, block='X'):
try:
if block == 'X':
return np.dot(self.scores_t, np.dot(np.linalg.inv(np.dot(self.
scores_t.T, self.scores_t), self.scores_t.T)))
elif block == 'Y':
return np.dot(self.scores_u, np.dot(np.linalg.inv(np.dot(self.
scores_u.T, self.scores_u), self.scores_u.T)))
else:
raise ValueError
except ValueError as verr:
raise ValueError('block option must be either X or Y')
| leverages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block='X'):\n try:\n if block == 'X':\n return np.dot(self.scores_t, np.dot(np.linalg.inv(np.dot(self.\n scores_t.T, ... |
def x(obj, key, new_key, sub, remove):
if isinstance(obj, list):
return [_recurse_replace(x, key, new_key, sub, remove) for x in obj]
if isinstance(obj, dict):
for k, v in list(obj.items()):
if k == key and v in sub:
obj[new_key] = sub[v]
if remove:
del obj[key]
else:
obj[k] = _recurse_replace(v, key, new_key, sub, remove)
return obj
| recurse_replace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, key, new_key, sub, remove):\n if isinstance(obj, list):\n return [_recurse_replace(x, key, new_key, sub, remove) for x in obj]\n if isinstanc... |
def x(pif, key, subs, new_key=None, remove=False):
if not new_key:
new_key = key
remove = False
orig = pif.as_dictionary()
new = _recurse_replace(orig, to_camel_case(key), to_camel_case(new_key),
subs, remove)
return pypif.pif.loads(json.dumps(new))
| replace_by_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif, key, subs, new_key=None, remove=False):\n if not new_key:\n new_key = key\n remove = False\n orig = pif.as_dictionary()\n new = _re... |
def x(pif, name):
warn('This method has been deprecated in favor of get_property_by_name')
return next((x for x in pif.properties if x.name == name), None)
| get_propety_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif, name):\n warn('This method has been deprecated in favor of get_property_by_name')\n return next((x for x in pif.properties if x.name == name), None)... |
def x(pif, name):
return next((x for x in pif.properties if x.name == name), None)
| get_property_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif, name):\n return next((x for x in pif.properties if x.name == name), None)\n",
"role": "user"
},
{
"content": "get_property_by_name",
"r... |
def x(key, value, ambig, unambig):
if key in ambig:
return
if key in unambig and value != unambig[key]:
ambig.add(key)
del unambig[key]
return
unambig[key] = value
return
| new_keypair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, value, ambig, unambig):\n if key in ambig:\n return\n if key in unambig and value != unambig[key]:\n ambig.add(key)\n del unamb... |
def x(child_ambig, child_unambig, ambig, unambig):
for k in child_ambig:
ambig.add(k)
if k in unambig:
del unambig[k]
for k, v in child_unambig.items():
new_keypair(k, v, ambig, unambig)
return
| add_child_ambig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(child_ambig, child_unambig, ambig, unambig):\n for k in child_ambig:\n ambig.add(k)\n if k in unambig:\n del unambig[k]\n for k,... |
def x(site=None):
if 'CITRINATION_API_KEY' not in environ:
raise ValueError(
"'CITRINATION_API_KEY' is not set as an environment variable")
if not site:
site = environ.get('CITRINATION_SITE', 'https://citrination.com')
return CitrinationClient(environ['CITRINATION_API_KEY'], site)
| get_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(site=None):\n if 'CITRINATION_API_KEY' not in environ:\n raise ValueError(\n \"'CITRINATION_API_KEY' is not set as an environment variable... |
def x(pifs, uids=None):
if not uids:
uids = [str(hash(dumps(x))) for x in pifs]
for pif, uid in zip(pifs, uids):
pif.uid = uid
return pifs
| set_uids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pifs, uids=None):\n if not uids:\n uids = [str(hash(dumps(x))) for x in pifs]\n for pif, uid in zip(pifs, uids):\n pif.uid = uid\n retur... |
def x(pif, dataset, version=1, site='https://citrination.com'):
return '{site}/datasets/{dataset}/version/{version}/pif/{uid}'.format(uid
=pif.uid, version=version, dataset=dataset, site=site)
| get_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif, dataset, version=1, site='https://citrination.com'):\n return '{site}/datasets/{dataset}/version/{version}/pif/{uid}'.format(uid\n =pif.uid, ver... |
def x(pif):
if not isinstance(pif, ChemicalSystem):
return pif
if not pif.chemical_formula:
return pif
else:
expanded_formula_no_special_char = _expand_formula_(pif.
chemical_formula)
element_array = _create_emprical_compositional_array_(
expanded_formula_no_special_char)
appended_e_array = _add_atomic_percents_(element_array)
for e in appended_e_array:
if _get_element_in_pif_composition_(pif, e['symbol']):
in_pif = _get_element_in_pif_composition_(pif, e['symbol'])
comp = in_pif[0]
pif.composition.pop(in_pif[1])
comp.idealAtomicPercent = e['atomic_percent']
pif.composition.append(comp)
else:
comp = Composition()
comp.element = e['symbol']
comp.idealAtomicPercent = e['atomic_percent']
pif.composition.append(comp)
return pif
| calculate_ideal_atomic_percent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif):\n if not isinstance(pif, ChemicalSystem):\n return pif\n if not pif.chemical_formula:\n return pif\n else:\n expanded_formu... |
def x(pif):
if not isinstance(pif, ChemicalSystem):
return pif
if not pif.chemical_formula:
return pif
else:
expanded_formula_no_special_char = _expand_formula_(pif.
chemical_formula)
element_array = _create_emprical_compositional_array_(
expanded_formula_no_special_char)
appended_e_array = _add_ideal_atomic_weights_(element_array)
a_array_with_pcts = _add_ideal_weight_percent_(appended_e_array)
for e in a_array_with_pcts:
if _get_element_in_pif_composition_(pif, e['symbol']):
in_pif = _get_element_in_pif_composition_(pif, e['symbol'])
comp = in_pif[0]
pif.composition.pop(in_pif[1])
comp.idealWeightPercent = e['weight_percent']
pif.composition.append(comp)
else:
comp = Composition()
comp.element = e['symbol']
comp.idealWeightPercent = e['weight_percent']
pif.composition.append(comp)
return pif
| calculate_ideal_weight_percent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif):\n if not isinstance(pif, ChemicalSystem):\n return pif\n if not pif.chemical_formula:\n return pif\n else:\n expanded_formu... |
def x(formula_string):
formula_string = re.sub('[^A-Za-z0-9\\(\\)\\[\\]\\·\\.]+', '',
formula_string)
hydrate_pos = formula_string.find('·')
if hydrate_pos >= 0:
formula_string = _expand_hydrate_(hydrate_pos, formula_string)
search_result = re.search('(?:[\\(\\[]([A-Za-z0-9]+)[\\)\\]](\\d*))',
formula_string)
if search_result is None:
return formula_string
this_start = search_result.start()
this_end = search_result.end()
this_string = search_result.group()
this_expansion_array = re.findall(
'(?:[\\(\\[]([A-Za-z0-9]+)[\\)\\]](\\d*))', this_string)
for a in this_expansion_array:
if a[1] == '':
a = a[0], 1
parenth_expanded = ''
multiplier = float(a[1])
element_array = re.findall('[A-Z][^A-Z]*', a[0])
for e in element_array:
occurance_array = re.findall('[0-9][^0-9]*', e)
if len(occurance_array) == 0:
occurance_array.append(1)
for o in occurance_array:
symbol = re.findall('[A-Z][a-z]*', e)
total_num = float(o) * multiplier
if total_num.is_integer():
total_num = int(total_num)
total_str = str(total_num)
if total_str == '1':
total_str = ''
new_string = symbol[0] + total_str
parenth_expanded += new_string
formula_string = formula_string[0:this_start
] + parenth_expanded + formula_string[this_end:]
return _expand_formula_(formula_string)
| expand_formula_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(formula_string):\n formula_string = re.sub('[^A-Za-z0-9\\\\(\\\\)\\\\[\\\\]\\\\·\\\\.]+', '',\n formula_string)\n hydrate_pos = formula_string.fin... |
def x(hydrate_pos, formula_string):
hydrate = formula_string[hydrate_pos + 1:]
hydrate_string = ''
multiplier = float(re.search('^[\\d\\.]+', hydrate).group())
element_array = re.findall('[A-Z][^A-Z]*', hydrate)
for e in element_array:
occurance_array = re.findall('[0-9][^0-9]*', e)
if len(occurance_array) == 0:
occurance_array.append(1)
for o in occurance_array:
symbol = re.findall('[A-Z][a-z]*', e)
total_num = float(o) * multiplier
if total_num.is_integer():
total_num = int(total_num)
total_str = str(total_num)
if total_str == '1':
total_str = ''
new_string = symbol[0] + total_str
hydrate_string += new_string
return formula_string[:hydrate_pos] + hydrate_string
| expand_hydrate_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hydrate_pos, formula_string):\n hydrate = formula_string[hydrate_pos + 1:]\n hydrate_string = ''\n multiplier = float(re.search('^[\\\\d\\\\.]+', hydr... |
def x(expanded_chemical_formaula_string):
element_array = re.findall('[A-Z][^A-Z]*',
expanded_chemical_formaula_string)
split_element_array = []
for s in element_array:
m = re.match('([a-zA-Z]+)([0-9\\.]*)', s, re.I)
if m:
items = m.groups()
if items[1] == '':
items = items[0], 1
this_e = {'symbol': items[0], 'occurances': float(items[1])}
split_element_array.append(this_e)
return split_element_array
| create_compositional_array_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expanded_chemical_formaula_string):\n element_array = re.findall('[A-Z][^A-Z]*',\n expanded_chemical_formaula_string)\n split_element_array = []\n... |
def x(elemental_array):
condensed_array = []
for e in elemental_array:
exists = False
for k in condensed_array:
if k['symbol'] == e['symbol']:
exists = True
k['occurances'] += e['occurances']
break
if not exists:
condensed_array.append(e)
return condensed_array
| consolidate_elemental_array_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(elemental_array):\n condensed_array = []\n for e in elemental_array:\n exists = False\n for k in condensed_array:\n if k['symbol... |
def x(elemental_array):
for a in elemental_array:
this_atomic_weight = elements_data[a['symbol']]['atomic_weight']
a['weight'] = a['occurances'] * this_atomic_weight
return elemental_array
| add_ideal_atomic_weights_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(elemental_array):\n for a in elemental_array:\n this_atomic_weight = elements_data[a['symbol']]['atomic_weight']\n a['weight'] = a['occurances... |
def x(elemental_array):
t_mass = _calculate_total_mass_(elemental_array)
for a in elemental_array:
a['weight_percent'] = a['weight'] / t_mass * 100
return elemental_array
| add_ideal_weight_percent_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(elemental_array):\n t_mass = _calculate_total_mass_(elemental_array)\n for a in elemental_array:\n a['weight_percent'] = a['weight'] / t_mass * 10... |
def x(elemental_array):
n_atoms = _calculate_n_atoms_(elemental_array)
for e in elemental_array:
e['atomic_percent'] = e['occurances'] / n_atoms * 100
return elemental_array
| add_atomic_percents_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(elemental_array):\n n_atoms = _calculate_n_atoms_(elemental_array)\n for e in elemental_array:\n e['atomic_percent'] = e['occurances'] / n_atoms *... |
def x(pif, elemental_symbol):
if pif.composition is None:
pif.composition = []
for i, c in enumerate(pif.composition):
if c.element == elemental_symbol or c.element.lower() == elements_data[
elemental_symbol]['name'].lower():
return [c, i]
i += 1
return False
| get_element_in_pif_composition_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif, elemental_symbol):\n if pif.composition is None:\n pif.composition = []\n for i, c in enumerate(pif.composition):\n if c.element == el... |
def x(full_name):
name = Name()
if ',' in full_name:
toks = full_name.split(',')
name.family = toks[0]
name.given = ','.join(toks[1:]).strip()
else:
toks = full_name.split()
name.given = toks[0]
name.family = ' '.join(toks[1:]).strip()
return name
| parse_name_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(full_name):\n name = Name()\n if ',' in full_name:\n toks = full_name.split(',')\n name.family = toks[0]\n name.given = ','.join(tok... |
def x(creator):
name = Name()
if 'creatorName' in creator:
name = parse_name_string(creator['creatorName'])
if 'familyName' in creator:
name.family = creator['familyName']
if 'givenName' in creator:
name.given = creator['givenName']
person = Person(name=name, tags=creator.get('affiliations'))
return person
| creator_to_person | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(creator):\n name = Name()\n if 'creatorName' in creator:\n name = parse_name_string(creator['creatorName'])\n if 'familyName' in creator:\n ... |
def x(dc):
ref = Reference()
if dc.get('identifier', {}).get('identifierType') == 'DOI':
ref.doi = dc.get('identifier', {}).get('identifier')
ref.title = dc.get('title')
ref.publisher = dc.get('publisher')
ref.year = dc.get('publicationYear')
ref.authors = [creator_to_person(x).name for x in dc.get('creators', [])
] or None
return ref
| datacite_to_pif_reference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dc):\n ref = Reference()\n if dc.get('identifier', {}).get('identifierType') == 'DOI':\n ref.doi = dc.get('identifier', {}).get('identifier')\n ... |
def x(query=None, dataset_id=None, mdf_acl=None):
if not query and not dataset_id:
raise ValueError('Either query or dataset_id must be specified')
if query and dataset_id:
raise ValueError(
'Both query and dataset_id were specified; pick one or the other.')
if not query:
query = PifSystemReturningQuery(query=DataQuery(dataset=
DatasetQuery(id=Filter(equal=dataset_id))), size=10000)
client = get_client()
if not mdf_acl:
raise ValueError(
'Access controls (mdf_acl) must be specified. Use ["public"] for public access'
)
pif_result = client.pif_search(query)
if len(pif_result.hits) == 0:
return []
example_uid = pif_result.hits[0].system.uid
dataset_query = DatasetReturningQuery(query=DataQuery(system=
PifSystemQuery(uid=Filter(equal=example_uid))), size=1)
dataset_result = client.dataset_search(dataset_query)
records = []
for hit in pif_result.hits:
records.append(pif_to_mdf_record(hit.system, dataset_result.hits[0],
mdf_acl))
return records
| query_to_mdf_records | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query=None, dataset_id=None, mdf_acl=None):\n if not query and not dataset_id:\n raise ValueError('Either query or dataset_id must be specified')\n ... |
def x(pif_obj, dataset_hit, mdf_acl):
res = {}
res['mdf'] = _to_meta_data(pif_obj, dataset_hit, mdf_acl)
res[res['mdf']['source_name']] = _to_user_defined(pif_obj)
return dumps(res)
| pif_to_mdf_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif_obj, dataset_hit, mdf_acl):\n res = {}\n res['mdf'] = _to_meta_data(pif_obj, dataset_hit, mdf_acl)\n res[res['mdf']['source_name']] = _to_user_def... |
def x(pif_obj, dataset_hit, mdf_acl):
pif = pif_obj.as_dictionary()
dataset = dataset_hit.as_dictionary()
mdf = {}
try:
if pif.get('names'):
mdf['title'] = pif['names'][0]
else:
mdf['title'] = 'Citrine PIF ' + str(pif['uid'])
if pif.get('chemicalFormula'):
mdf['composition'] = pif['chemicalFormula']
elif pif.get('composition'):
mdf['composition'] = ''.join([comp['element'] for comp in pif[
'composition'] if comp['element']])
if not mdf['composition']:
mdf.pop('composition')
mdf['acl'] = mdf_acl
mdf['source_name'] = _construct_new_key(dataset['name'])
if pif.get('contacts'):
mdf['data_contact'] = []
for contact in pif['contacts']:
data_c = {'given_name': contact['name']['given'],
'family_name': contact['name']['family']}
if contact.get('email'):
data_c['email'] = contact.get('email', '')
if contact.get('orcid'):
data_c['orcid'] = contact.get('orcid', '')
mdf['data_contact'].append(data_c)
if not mdf['data_contact']:
mdf.pop('data_contact')
mdf['data_contributor'] = [{}]
if 'owner' in dataset:
name = dataset['owner'].split()
contributor = {'given_name': name[0], 'family_name': name[1],
'email': dataset['email']}
mdf['data_contributor'] = [contributor]
mdf['links'] = {'landing_page':
'https://citrination.com/datasets/{}'.format(dataset['id']),
'publication': []}
if pif.get('references'):
mdf['author'] = []
mdf['citation'] = []
for ref in pif['references']:
if ref.get('doi'):
mdf['citation'].append(ref['doi'])
mdf['links']['publication'].append(ref['doi'])
if ref.get('authors'):
for author in ref['authors']:
if author.get('given') and author.get('family'):
mdf['author'].append({'given_name': author[
'given'], 'family_name': author['family']})
if not mdf['author']:
mdf.pop('author')
if not mdf['citation']:
mdf.pop('citation')
if not mdf['links']['publication']:
mdf['links'].pop('publication')
if pif.get('licenses', [{}])[0].get('url'):
mdf['license'] = pif['licenses'][0]['url']
if pif.get('tags'):
mdf['tags'] = pif['tags']
except KeyError as e:
print('Error: Required MDF metadata', str(e), 'not found in PIF',
pif['uid'])
return None
return mdf
| to_meta_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif_obj, dataset_hit, mdf_acl):\n pif = pif_obj.as_dictionary()\n dataset = dataset_hit.as_dictionary()\n mdf = {}\n try:\n if pif.get('name... |
def x(pif_obj):
res = {}
rv = ReadView(pif_obj)
for k in rv.keys():
name, value = _extract_key_value(rv[k].raw)
if name and value is not None:
res[name] = value
pif = pif_obj.as_dictionary()
elements = {}
if pif.get('composition'):
for comp in pif['composition']:
if comp.get('actualAtomicPercent'):
elements[comp['element']] = float(comp[
'actualAtomicPercent']['value'])
elif comp.get('actualWeightPercent'):
elements[comp['element']] = float(comp[
'actualWeightPercent']['value'])
if elements:
res['elemental_percent'] = elements
elif pif.get('chemicalFormula'):
symbol = ''
num = ''
for char in pif['chemicalFormula']:
if char.isupper():
if symbol:
try:
elements[symbol] = int(num)
except ValueError:
elements[symbol] = float(num) if num else 1
symbol = ''
num = ''
symbol += char
elif char.islower():
symbol += char
elif char.isdigit():
num += char
elif char == '.':
num += char
if elements:
res['elemental_proportion'] = elements
return res
| to_user_defined | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pif_obj):\n res = {}\n rv = ReadView(pif_obj)\n for k in rv.keys():\n name, value = _extract_key_value(rv[k].raw)\n if name and value is... |
def x(name, units=None):
to_replace = ['/', '\\', '*', '^', '#', ' ', '\n', '\t', ',', '.', ')',
'(', "'", '`', '-']
to_remove = ['$', '{', '}']
cat = name
if units:
cat = '_'.join([name, units])
for c in to_replace:
cat = cat.replace(c, '_')
for c in to_remove:
cat = cat.replace(c, '')
cat = re.sub('_+', '_', cat)
return cat
| construct_new_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, units=None):\n to_replace = ['/', '\\\\', '*', '^', '#', ' ', '\\n', '\\t', ',', '.', ')',\n '(', \"'\", '`', '-']\n to_remove = ['$', '{', ... |
def x(obj):
key = None
value = None
if isinstance(obj, Value):
key = _construct_new_key(obj.name, obj.units)
value = []
if obj.scalars:
value = [(val.value if isinstance(val, Scalar) else val) for
val in obj.scalars]
elif obj.vectors and len(obj.vectors) == 1:
value = [(val.value if isinstance(val, Scalar) else val) for
val in obj.vectors[0]]
if len(value) == 1:
value = value[0]
elif len(value) == 0:
value = None
if isinstance(obj, ProcessStep):
key = 'Processing'
value = obj.name
return key, value
| extract_key_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n key = None\n value = None\n if isinstance(obj, Value):\n key = _construct_new_key(obj.name, obj.units)\n value = []\n if ... |
def x():
from polysh.control_commands_helpers import handle_control_command
data = the_stdin_thread.input_buffer.get()
remote_dispatcher.log(b'> ' + data)
if data.startswith(b':'):
try:
handle_control_command(data[1:-1].decode())
except UnicodeDecodeError as e:
console_output(b'Could not decode command.')
return
if data.startswith(b'!'):
try:
retcode = subprocess.call(data[1:], shell=True)
except OSError as e:
if e.errno == errno.EINTR:
console_output(b'Child was interrupted\n')
retcode = 0
else:
raise
if retcode > 128 and retcode <= 192:
retcode = 128 - retcode
if retcode > 0:
console_output('Child returned {:d}\n'.format(retcode).encode())
elif retcode < 0:
console_output('Child was terminated by signal {:d}\n'.format(-
retcode).encode())
return
for r in dispatchers.all_instances():
try:
r.dispatch_command(data)
except asyncore.ExitNow as e:
raise e
except Exception as msg:
raise msg
console_output('{} for {}, disconnecting\n'.format(str(msg), r.
display_name).encode())
r.disconnect()
else:
if r.enabled and r.state is remote_dispatcher.STATE_IDLE:
r.change_state(remote_dispatcher.STATE_RUNNING)
| process_input_buffer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from polysh.control_commands_helpers import handle_control_command\n data = the_stdin_thread.input_buffer.get()\n remote_dispatcher.log(b'> ' + d... |
def x(c):
the_stdin_thread.socket_write.send(c)
while True:
try:
the_stdin_thread.socket_write.recv(1)
except socket.error as e:
if e.errno != errno.EINTR:
raise
else:
break
| write_main_socket | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n the_stdin_thread.socket_write.send(c)\n while True:\n try:\n the_stdin_thread.socket_write.recv(1)\n except socket.error a... |
def x(cached_result=None):
if cached_result is None:
try:
tasks = os.listdir('/proc/self/task')
except OSError as e:
if e.errno != errno.ENOENT:
raise
cached_result = os.getpid()
else:
tasks.remove(str(os.getpid()))
assert len(tasks) == 1
cached_result = int(tasks[0])
return cached_result
| get_stdin_pid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cached_result=None):\n if cached_result is None:\n try:\n tasks = os.listdir('/proc/self/task')\n except OSError as e:\n ... |
def x():
dupped_stdin = os.dup(0)
assert not the_stdin_thread.interrupt_asked
the_stdin_thread.interrupt_asked = True
os.lseek(tempfile_fd, 0, 0)
os.dup2(tempfile_fd, 0)
pid = get_stdin_pid()
os.kill(pid, signal.SIGWINCH)
the_stdin_thread.out_of_raw_input.wait()
the_stdin_thread.interrupt_asked = False
os.dup2(dupped_stdin, 0)
os.close(dupped_stdin)
| interrupt_stdin_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n dupped_stdin = os.dup(0)\n assert not the_stdin_thread.interrupt_asked\n the_stdin_thread.interrupt_asked = True\n os.lseek(tempfile_fd, 0, 0)... |
def x(self, data):
assert isinstance(data, bytes)
with self.lock:
self.buf += data
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n assert isinstance(data, bytes)\n with self.lock:\n self.buf += data\n",
"role": "user"
},
{
"content": "add",
"role... |
def x(self):
data = b''
with self.lock:
data, self.buf = self.buf, b''
return data
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = b''\n with self.lock:\n data, self.buf = self.buf, b''\n return data\n",
"role": "user"
},
{
"content": "get",
... |
def x(self):
while True:
try:
c = self.recv(1)
except socket.error as e:
if e.errno == errno.EWOULDBLOCK:
return
else:
raise
else:
self._do(c)
self.socket.setblocking(True)
self.send(b'A')
self.socket.setblocking(False)
| handle_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n try:\n c = self.recv(1)\n except socket.error as e:\n if e.errno == errno.EWOULDBLOCK:\n ... |
def x(a, b):
x = a + b
z = x - a
y = a - (x - z) + (b - z)
return x, y
| knuth_sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n x = a + b\n z = x - a\n y = a - (x - z) + (b - z)\n return x, y\n",
"role": "user"
},
{
"content": "knuth_sum",
"role": "a... |
def x(a, b):
x = a + b
y = b - (x - a) if abs(a) > abs(b) else a - (x - b)
return x, y
| decker_sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n x = a + b\n y = b - (x - a) if abs(a) > abs(b) else a - (x - b)\n return x, y\n",
"role": "user"
},
{
"content": "decker_sum",
... |
def x(p, K):
q = p.reshape(p.shape[0], -1)
for _ in range(K):
_accupy.distill(q)
return q.reshape(p.shape)
| distill | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p, K):\n q = p.reshape(p.shape[0], -1)\n for _ in range(K):\n _accupy.distill(q)\n return q.reshape(p.shape)\n",
"role": "user"
},
{
... |
def x(p, K=2):
q = p.copy()
distill(q, K - 1)
return numpy.sum(q[:-1], axis=0) + q[-1]
| ksum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p, K=2):\n q = p.copy()\n distill(q, K - 1)\n return numpy.sum(q[:-1], axis=0) + q[-1]\n",
"role": "user"
},
{
"content": "ksum",
"rol... |
def x(p):
q = p.reshape(p.shape[0], -1)
s = _accupy.kahan(q)
return s.reshape(p.shape[1:])
| kahan_sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n q = p.reshape(p.shape[0], -1)\n s = _accupy.kahan(q)\n return s.reshape(p.shape[1:])\n",
"role": "user"
},
{
"content": "kahan_sum",... |
def x(command, enable):
selection = list(selected_shells(command))
if command and command != '*' and selection:
for i in selection:
if i.state != remote_dispatcher.STATE_DEAD and i.enabled != enable:
break
else:
toggle_shells('*', not enable)
for i in selection:
if i.state != remote_dispatcher.STATE_DEAD:
i.set_enabled(enable)
| toggle_shells | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, enable):\n selection = list(selected_shells(command))\n if command and command != '*' and selection:\n for i in selection:\n i... |
def x(command):
if not command or command == '*':
for i in dispatchers.all_instances():
yield i
return
selected = set()
instance_found = False
for pattern in command.split():
found = False
for expanded_pattern in expand_syntax(pattern):
for i in dispatchers.all_instances():
instance_found = True
if fnmatch(i.display_name, expanded_pattern):
found = True
if i not in selected:
selected.add(i)
yield i
if instance_found and not found:
console_output('{} not found\n'.format(pattern).encode())
| selected_shells | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command):\n if not command or command == '*':\n for i in dispatchers.all_instances():\n yield i\n return\n selected = set()\n ... |
def x(line, text, predicate=lambda i: True):
res = [(i.display_name + ' ') for i in dispatchers.all_instances() if i
.display_name.startswith(text) and predicate(i) and ' ' + i.
display_name + ' ' not in line]
return res
| complete_shells | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, text, predicate=lambda i: True):\n res = [(i.display_name + ' ') for i in dispatchers.all_instances() if i\n .display_name.startswith(text) and... |
def x(x, y, K=2):
xx = x.reshape(-1, x.shape[-1])
yy = y.reshape(y.shape[0], -1)
xx = numpy.ascontiguousarray(xx)
yy = numpy.ascontiguousarray(yy)
r = _accupy.kdot_helper(xx, yy).reshape((-1,) + x.shape[:-1] + y.shape[1:])
return ksum(r, K - 1)
| kdot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, K=2):\n xx = x.reshape(-1, x.shape[-1])\n yy = y.reshape(y.shape[0], -1)\n xx = numpy.ascontiguousarray(xx)\n yy = numpy.ascontiguousarray(yy... |
def x(x, y):
xx = x.reshape(-1, x.shape[-1])
yy = y.reshape(y.shape[0], -1)
xx = numpy.ascontiguousarray(xx)
yy = numpy.ascontiguousarray(yy)
r = _accupy.kdot_helper(xx, yy).reshape((-1,) + x.shape[:-1] + y.shape[1:])
return fsum(r)
| fdot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y):\n xx = x.reshape(-1, x.shape[-1])\n yy = y.reshape(y.shape[0], -1)\n xx = numpy.ascontiguousarray(xx)\n yy = numpy.ascontiguousarray(yy)\n ... |
def x():
for i in dispatchers.all_instances():
try:
os.kill(-i.pid, signal.SIGKILL)
except OSError:
pass
| kill_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for i in dispatchers.all_instances():\n try:\n os.kill(-i.pid, signal.SIGKILL)\n except OSError:\n pass\n",
"ro... |
def x():
locale.setlocale(locale.LC_ALL, '')
atexit.register(kill_all)
signal.signal(signal.SIGPIPE, signal.SIG_DFL)
args = parse_cmdline()
args.command = find_non_interactive_command(args.command)
args.exit_code = 0
args.interactive = not args.command and sys.stdin.isatty(
) and sys.stdout.isatty()
if args.interactive:
restore_tty_on_exit()
remote_dispatcher.options = args
hosts = []
for host in args.host_names:
hosts.extend(expand_syntax(host))
dispatchers.create_remote_dispatchers(hosts)
signal.signal(signal.SIGWINCH, lambda signum, frame: dispatchers.
update_terminal_size())
stdin.the_stdin_thread = stdin.StdinThread(args.interactive)
if args.profile:
def x():
try:
loop(args.interactive)
except BaseException:
pass
_profile(safe_loop)
else:
loop(args.interactive)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n locale.setlocale(locale.LC_ALL, '')\n atexit.register(kill_all)\n signal.signal(signal.SIGPIPE, signal.SIG_DFL)\n args = parse_cmdline()\n ... |
def x():
sentry_dsn = os.environ.get('POLYSH_SENTRY_DSN')
if sentry_dsn:
from raven import Client
client = Client(dsn=sentry_dsn, release='.'.join(map(str, VERSION)),
ignore_exceptions=[KeyboardInterrupt])
try:
run()
except Exception:
client.captureException()
else:
run()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n sentry_dsn = os.environ.get('POLYSH_SENTRY_DSN')\n if sentry_dsn:\n from raven import Client\n client = Client(dsn=sentry_dsn, release... |
def x(self):
new_data = b''
buffer_length = len(self.read_buffer)
try:
while buffer_length < self.MAX_BUFFER_SIZE:
try:
piece = self.recv(4096)
except OSError as e:
if e.errno == errno.EAGAIN:
break
elif e.errno == errno.EIO and new_data:
break
else:
raise
if not piece:
break
new_data += piece
buffer_length += len(piece)
finally:
new_data = new_data.replace(b'\r', b'\n')
self.read_buffer += new_data
return new_data
| handle_read_chunk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n new_data = b''\n buffer_length = len(self.read_buffer)\n try:\n while buffer_length < self.MAX_BUFFER_SIZE:\n try:\n ... |
def x(self, buf):
self.write_buffer += buf
if len(self.write_buffer) > self.MAX_BUFFER_SIZE:
console_output('Buffer too big ({:d}) for {}\n'.format(len(self.
write_buffer), str(self)).encode())
raise asyncore.ExitNow(1)
return True
| dispatch_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buf):\n self.write_buffer += buf\n if len(self.write_buffer) > self.MAX_BUFFER_SIZE:\n console_output('Buffer too big ({:d}) for {}\\n'.form... |
def x(buf):
assert isinstance(buf, bytes)
while True:
try:
os.write(1, buf)
break
except IOError as e:
if e.errno != errno.EINTR:
raise
| safe_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buf):\n assert isinstance(buf, bytes)\n while True:\n try:\n os.write(1, buf)\n break\n except IOError as e:\n ... |
def x(msg, logging_msg=None):
assert isinstance(msg, bytes)
assert isinstance(logging_msg, bytes) or logging_msg is None
from polysh import remote_dispatcher
remote_dispatcher.log(logging_msg or msg)
if remote_dispatcher.options.interactive:
from polysh.stdin import the_stdin_thread
the_stdin_thread.no_raw_input()
global last_status_length
if last_status_length:
safe_write('\r{}\r'.format(last_status_length * ' ').encode())
last_status_length = 0
safe_write(msg)
| console_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, logging_msg=None):\n assert isinstance(msg, bytes)\n assert isinstance(logging_msg, bytes) or logging_msg is None\n from polysh import remote_dis... |
def x(string):
match = syntax_pattern.search(string)
if match:
prefix = string[:match.start()]
suffix = string[match.end():]
intervals = match.group(1).split(',')
for interval in intervals:
interval_match = interval_pattern.match(interval)
if interval_match:
start = interval_match.group(1)
end = (interval_match.group(2) or start).strip('-')
for i in _iter_numbers(start, end):
for expanded in expand_syntax(prefix + i + suffix):
yield expanded
else:
yield string
| expand_syntax | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n match = syntax_pattern.search(string)\n if match:\n prefix = string[:match.start()]\n suffix = string[match.end():]\n int... |
def x():
return sorted([i for i in asyncore.socket_map.values() if isinstance(i,
remote_dispatcher.RemoteDispatcher)], key=lambda i: i.display_name or
'')
| all_instances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n return sorted([i for i in asyncore.socket_map.values() if isinstance(i,\n remote_dispatcher.RemoteDispatcher)], key=lambda i: i.display_name or\... |
def x():
awaited = 0
total = 0
for i in all_instances():
if i.enabled:
total += 1
if i.state is not remote_dispatcher.STATE_IDLE:
awaited += 1
return awaited, total
| count_awaited_processes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n awaited = 0\n total = 0\n for i in all_instances():\n if i.enabled:\n total += 1\n if i.state is not remote_dispatch... |
def x():
instances_found = False
for i in all_instances():
instances_found = True
if i.state not in (remote_dispatcher.STATE_TERMINATED,
remote_dispatcher.STATE_DEAD):
return False
return instances_found
| all_terminated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n instances_found = False\n for i in all_instances():\n instances_found = True\n if i.state not in (remote_dispatcher.STATE_TERMINATED,\... |
def x():
w, h = terminal_size()
w = max(w - display_names.max_display_name_length - 2, min(w, 10))
bug = struct.unpack('i', struct.pack('I', termios.TIOCSWINSZ))[0]
packed_size = struct.pack('HHHH', h, w, 0, 0)
term_size = w, h
for i in all_instances():
if i.enabled and i.term_size != term_size:
i.term_size = term_size
fcntl.ioctl(i.fd, bug, packed_size)
| update_terminal_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n w, h = terminal_size()\n w = max(w - display_names.max_display_name_length - 2, min(w, 10))\n bug = struct.unpack('i', struct.pack('I', termios.T... |
def x(info_list):
max_lengths = []
if info_list:
nr_columns = len(info_list[0])
else:
nr_columns = 0
for i in range(nr_columns):
max_lengths.append(max([len(info[i]) for info in info_list]))
flattened_info_list = []
for info_id in range(len(info_list)):
info = info_list[info_id]
for str_id in range(len(info) - 1):
orig_str = info[str_id]
indent = max_lengths[str_id] - len(orig_str)
info[str_id] = orig_str + indent * b' '
flattened_info_list.append(b' '.join(info) + b'\n')
return flattened_info_list
| format_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info_list):\n max_lengths = []\n if info_list:\n nr_columns = len(info_list[0])\n else:\n nr_columns = 0\n for i in range(nr_columns)... |
def x(n, c, dps=100):
assert n >= 6
n2 = round(n / 2)
x = numpy.zeros(n)
y = numpy.zeros(n)
b = math.log2(c)
e = numpy.rint(numpy.random.rand(n2) * b / 2).astype(int)
e[0] = round(b / 2) + 1
e[-1] = 0
rx, ry = numpy.random.rand(2, n2)
x[:n2] = (2 * rx - 1) * 2 ** e
y[:n2] = (2 * ry - 1) * 2 ** e
def x(x, y):
mp.dps = dps
return mp.fdot(x.tolist(), y.tolist())
e = numpy.rint(numpy.linspace(b / 2, 0, n - n2)).astype(int)
rx, ry = numpy.random.rand(2, n2)
for i in range(n2, n):
x[i] = (2 * rx[i - n2] - 1) * 2 ** e[i - n2]
y[i] = ((2 * ry[i - n2] - 1) * 2 ** e[i - n2] - dot_exact(x[:i + 1],
y[:i + 1])) / x[i]
x, y = numpy.random.permutation((x, y))
d = dot_exact(x, y)
C = 2 * dot_exact(abs(x), abs(y)) / abs(d)
return x, y, d, C
| generate_ill_conditioned_dot_product | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, c, dps=100):\n assert n >= 6\n n2 = round(n / 2)\n x = numpy.zeros(n)\n y = numpy.zeros(n)\n b = math.log2(c)\n e = numpy.rint(numpy.rando... |
def x(timeout=None):
prev_nr_read = nr_handle_read
asyncore.loop(count=1, timeout=timeout, use_poll=True)
return nr_handle_read - prev_nr_read
| main_loop_iteration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timeout=None):\n prev_nr_read = nr_handle_read\n asyncore.loop(count=1, timeout=timeout, use_poll=True)\n return nr_handle_read - prev_nr_read\n",
... |
def x(self, name, port):
if options.user:
name = '%s@%s' % (options.user, name)
evaluated = options.ssh % {'host': name, 'port': port}
if evaluated == options.ssh:
evaluated = '%s %s' % (evaluated, name)
os.execlp('/bin/sh', 'sh', '-c', evaluated)
| launch_ssh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, port):\n if options.user:\n name = '%s@%s' % (options.user, name)\n evaluated = options.ssh % {'host': name, 'port': port}\n if eva... |
def x(self, state):
if state is not self.state:
if self.debug:
self.print_debug(b'state => ' + STATE_NAMES[state].encode())
if self.state is STATE_NOT_STARTED:
self.read_in_state_not_started = b''
self.state = state
| change_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n if state is not self.state:\n if self.debug:\n self.print_debug(b'state => ' + STATE_NAMES[state].encode())\n if se... |
def x(self):
try:
os.kill(-self.pid, signal.SIGKILL)
except OSError:
pass
self.read_buffer = b''
self.write_buffer = b''
self.set_enabled(False)
if self.read_in_state_not_started:
self.print_lines(self.read_in_state_not_started)
self.read_in_state_not_started = b''
if options.abort_error and self.state is STATE_NOT_STARTED:
raise asyncore.ExitNow(1)
self.change_state(STATE_DEAD)
| disconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n os.kill(-self.pid, signal.SIGKILL)\n except OSError:\n pass\n self.read_buffer = b''\n self.write_buffer = b''\n s... |
def x(self):
attr = termios.tcgetattr(self.fd)
attr[1] &= ~termios.ONLCR
attr[3] &= ~termios.ECHO
termios.tcsetattr(self.fd, termios.TCSANOW, attr)
return b'unsetopt zle 2> /dev/null;stty -echo -onlcr -ctlecho;'
| configure_tty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n attr = termios.tcgetattr(self.fd)\n attr[1] &= ~termios.ONLCR\n attr[3] &= ~termios.ECHO\n termios.tcsetattr(self.fd, termios.TCSANOW, att... |
def x(self):
command_line = b'PS2=;RPS1=;RPROMPT=;'
command_line += b'PROMPT_COMMAND=;'
command_line += b'TERM=ansi;'
command_line += b'unset HISTFILE;'
prompt1, prompt2 = callbacks.add(b'prompt', self.seen_prompt_cb, True)
command_line += b'PS1="' + prompt1 + b'""' + prompt2 + b'\n"\n'
return command_line
| set_prompt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n command_line = b'PS2=;RPS1=;RPROMPT=;'\n command_line += b'PROMPT_COMMAND=;'\n command_line += b'TERM=ansi;'\n command_line += b'unset HIS... |
def x(self, data):
if self.state is not STATE_RUNNING or callbacks.any_in(data):
return False
last_nl = data.rfind(b'\n')
if last_nl == -1:
return False
self.read_buffer = data[last_nl + 1:]
self.print_lines(data[:last_nl])
return True
| handle_read_fast_case | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if self.state is not STATE_RUNNING or callbacks.any_in(data):\n return False\n last_nl = data.rfind(b'\\n')\n if last_nl == -1:\... |
def x(self):
if self.state == STATE_DEAD:
return
global nr_handle_read
nr_handle_read += 1
new_data = self._handle_read_chunk()
if self.debug:
self.print_debug(b'==> ' + new_data)
if self.handle_read_fast_case(self.read_buffer):
return
lf_pos = new_data.find(b'\n')
if lf_pos >= 0:
lf_pos += len(self.read_buffer) - len(new_data)
elif self.state is STATE_NOT_STARTED and options.password is not None and b'password:' in self.read_buffer.lower(
):
self.dispatch_write('{}\n'.format(options.password).encode())
self.read_buffer = b''
return
while lf_pos >= 0:
line = self.read_buffer[:lf_pos + 1]
if callbacks.process(line):
pass
elif self.state in (STATE_IDLE, STATE_RUNNING):
self.print_lines(line)
elif self.state is STATE_NOT_STARTED:
self.read_in_state_not_started += line
if b'The authenticity of host' in line:
msg = line.strip(b'\n') + b' Closing connection.'
self.disconnect()
elif b'REMOTE HOST IDENTIFICATION HAS CHANGED' in line:
msg = b'Remote host identification has changed.'
else:
msg = None
if msg:
self.print_lines(msg +
b' Consider manually connecting or using ssh-keyscan.')
self.read_buffer = self.read_buffer[lf_pos + 1:]
if self.handle_read_fast_case(self.read_buffer):
return
lf_pos = self.read_buffer.find(b'\n')
if self.state is STATE_NOT_STARTED and not self.init_string_sent:
self.dispatch_write(self.init_string)
self.init_string_sent = True
| handle_read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.state == STATE_DEAD:\n return\n global nr_handle_read\n nr_handle_read += 1\n new_data = self._handle_read_chunk()\n if ... |
def x(self):
if self.state is STATE_RUNNING:
if not callbacks.process(self.read_buffer):
self.print_lines(self.read_buffer)
self.read_buffer = b''
| print_unfinished_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.state is STATE_RUNNING:\n if not callbacks.process(self.read_buffer):\n self.print_lines(self.read_buffer)\n self.... |
def x(self):
num_sent = self.send(self.write_buffer)
if self.debug:
if self.state is not STATE_NOT_STARTED or options.password is None:
self.print_debug(b'<== ' + self.write_buffer[:num_sent])
self.write_buffer = self.write_buffer[num_sent:]
| handle_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n num_sent = self.send(self.write_buffer)\n if self.debug:\n if self.state is not STATE_NOT_STARTED or options.password is None:\n ... |
def x(self, msg):
assert isinstance(msg, bytes)
state = STATE_NAMES[self.state].encode()
console_output(b'[dbg] ' + self.display_name.encode() + b'[' + state +
b']: ' + msg + b'\n')
| print_debug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n assert isinstance(msg, bytes)\n state = STATE_NAMES[self.state].encode()\n console_output(b'[dbg] ' + self.display_name.encode() + b'[' ... |
def x(self):
return [self.display_name.encode(), self.enabled and b'enabled' or
b'disabled', STATE_NAMES[self.state].encode() + b':', self.
last_printed_line.strip()]
| get_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [self.display_name.encode(), self.enabled and b'enabled' or\n b'disabled', STATE_NAMES[self.state].encode() + b':', self.\n la... |
def x(self, buf):
if self.state != STATE_DEAD and self.enabled:
super().dispatch_write(buf)
return True
return False
| dispatch_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buf):\n if self.state != STATE_DEAD and self.enabled:\n super().dispatch_write(buf)\n return True\n return False\n",
"role": "use... |
def x(self, new_name):
if not new_name:
name = self.hostname
else:
name = new_name.decode()
self.display_name = display_names.change(self.display_name, name)
| change_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_name):\n if not new_name:\n name = self.hostname\n else:\n name = new_name.decode()\n self.display_name = display_names.change... |
def x(self, name):
if name:
rename1, rename2 = callbacks.add(b'rename', self.change_name, False)
self.dispatch_command(b'/bin/echo "' + rename1 + b'""' + rename2 +
b'"' + name + b'\n')
else:
self.change_name(self.hostname.encode())
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if name:\n rename1, rename2 = callbacks.add(b'rename', self.change_name, False)\n self.dispatch_command(b'/bin/echo \"' + renam... |
def x():
cr = _ioctl_GWINSZ(0) or _ioctl_GWINSZ(1) or _ioctl_GWINSZ(2)
if not cr:
try:
fd = os.open(os.ctermid(), os.O_RDONLY)
cr = _ioctl_GWINSZ(fd)
os.close(fd)
except BaseException:
pass
if not cr:
try:
cr = os.environ['LINES'], os.environ['COLUMNS']
except BaseException:
cr = 25, 80
return int(cr[1]), int(cr[0])
| terminal_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cr = _ioctl_GWINSZ(0) or _ioctl_GWINSZ(1) or _ioctl_GWINSZ(2)\n if not cr:\n try:\n fd = os.open(os.ctermid(), os.O_RDONLY)\n ... |
def x(text, state):
global completion_results
if state == 0:
line = readline.get_line_buffer()
if line.startswith(':'):
completion_results = complete_control_command(line, text)
else:
if line.startswith('!') and text and line.startswith(text):
dropped_exclam = True
text = text[1:]
else:
dropped_exclam = False
completion_results = []
completion_results += complete_local_path(text)
l = len(text)
completion_results += [(w + ' ') for w in history_words if len(
w) > l and w.startswith(text)]
if readline.get_begidx() == 0:
completion_results += [(w + ' ') for w in
user_commands_in_path if len(w) > l and w.startswith(text)]
completion_results = remove_dupes(completion_results)
if dropped_exclam:
completion_results = [('!' + r) for r in completion_results]
if state < len(completion_results):
return completion_results[state]
completion_results = None
return None
| complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, state):\n global completion_results\n if state == 0:\n line = readline.get_line_buffer()\n if line.startswith(':'):\n comp... |
def x(*args, **kwargs):
read_line = None
if 'read_line' in kwargs:
read_line = kwargs['read_line']
del kwargs['read_line']
p = subprocess.Popen(*args, **kwargs)
wait_stdout = None
wait_stderr = None
if p.stdout:
wait_stdout = sys.stdout.attach(p.stdout, read_line=read_line)
if p.stderr:
wait_stderr = sys.stderr.attach(p.stderr)
original_wait = p.wait
def x():
original_wait()
if wait_stdout:
wait_stdout()
if wait_stderr:
wait_stderr()
p.wait = wait
return p
| Popen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n read_line = None\n if 'read_line' in kwargs:\n read_line = kwargs['read_line']\n del kwargs['read_line']\n p = subpr... |
def x():
job = JobBackend()
offline = False
if '1' == os.getenv('AETROS_OFFLINE', ''):
offline = True
if os.getenv('AETROS_JOB_ID'):
job.load(os.getenv('AETROS_JOB_ID'))
if not offline:
job.connect()
else:
job.create()
if not offline:
job.connect()
job.start(offline=offline)
return job
| context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n job = JobBackend()\n offline = False\n if '1' == os.getenv('AETROS_OFFLINE', ''):\n offline = True\n if os.getenv('AETROS_JOB_ID'):\n ... |
def x(self, sig, frame):
if self.stop_requested or self.stop_requested_force:
self.stop_requested_force = True
self.logger.warning('Force stopped: ' + str(sig))
self.on_force_exit()
os._exit(1)
if self.is_master_process():
self.logger.warning('Received signal ' + str(sig) +
'. Send again to force stop. Stopping ...')
else:
self.logger.debug('Got child signal ' + str(sig))
self.stop_requested = True
sys.exit(0 if self.in_early_stop else 1)
| on_sigint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sig, frame):\n if self.stop_requested or self.stop_requested_force:\n self.stop_requested_force = True\n self.logger.warning('Force stop... |
def x(self, params):
self.ended = True
self.running = False
os._exit(1)
| external_aborted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n self.ended = True\n self.running = False\n os._exit(1)\n",
"role": "user"
},
{
"content": "external_aborted",
"role":... |
def x(self, force):
if not self.is_master_process():
if force:
os._exit(1)
return
self.logger.warning('Received stop signal by server.')
if not self.stop_requested_force:
self.stop_requested_force = force
raise_sigint()
| external_stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force):\n if not self.is_master_process():\n if force:\n os._exit(1)\n return\n self.logger.warning('Received stop signal ... |
def x(self, step, total, label='STEP', speed_label='STEPS/S', size=1):
self.lock.acquire()
try:
time_diff = time.time() - self.last_step_time
if self.last_step > step:
self.last_step = 0
made_steps_since_last_call = step - self.last_step
self.last_step = step
self.made_steps_since_last_sync += made_steps_since_last_call
self.made_steps_size_since_last_sync += (made_steps_since_last_call *
size)
if time_diff >= 1 or step == total:
self.set_system_info('step', step, True)
self.set_system_info('steps', total, True)
steps_per_second = self.made_steps_since_last_sync / time_diff
samples_per_second = (self.made_steps_size_since_last_sync /
time_diff)
self.last_step_time = time.time()
if size:
self.report_speed(samples_per_second)
epochs_per_second = steps_per_second / total
self.set_system_info('epochsPerSecond', epochs_per_second, True)
current_epochs = self.current_epoch if self.current_epoch else 1
total_epochs = self.total_epochs if self.total_epochs else 1
self.made_steps_since_last_sync = 0
self.made_steps_size_since_last_sync = 0
eta = 0
if step < total:
if steps_per_second != 0:
eta = (total - step) / steps_per_second
if total_epochs - current_epochs > 0:
if epochs_per_second != 0:
eta += (total_epochs - current_epochs) / epochs_per_second
self.git.store_file('aetros/job/times/eta.json', simplejson.
dumps(eta))
if label and self.step_label != label:
self.set_system_info('stepLabel', label, True)
self.step_label = label
if speed_label and self.step_speed_label != speed_label:
self.set_system_info('stepSpeedLabel', speed_label, True)
self.step_speed_label = speed_label
finally:
self.lock.release()
| step | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, step, total, label='STEP', speed_label='STEPS/S', size=1):\n self.lock.acquire()\n try:\n time_diff = time.time() - self.last_step_time\n ... |
def x(self, name='loss', xaxis=None, yaxis=None, layout=None):
return JobLossChannel(self, name, xaxis, yaxis, layout)
| create_loss_channel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name='loss', xaxis=None, yaxis=None, layout=None):\n return JobLossChannel(self, name, xaxis, yaxis, layout)\n",
"role": "user"
},
{
"cont... |
def x(self, name, traces=None, main=False, kpi=False, kpiTrace=0,
max_optimization=True, type=JobChannel.NUMBER, xaxis=None, yaxis=None,
layout=None):
return JobChannel(self, name, traces, main, kpi, kpiTrace,
max_optimization, type, xaxis, yaxis, layout)
| create_channel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, traces=None, main=False, kpi=False, kpiTrace=0,\n max_optimization=True, type=JobChannel.NUMBER, xaxis=None, yaxis=None,\n layout=None):\n ... |
def x(self):
self.in_shutdown = True
self.logger.debug(
'on_shutdown, stopped=%s, ended=%s, early_stop=%s, stop_requested=%s' %
(str(self.stopped), str(self.ended), str(self.in_early_stop), str(
self.stop_requested)))
if self.stopped or self.ended:
self.client.close()
return
if self.in_early_stop:
self.done()
return
if self.stop_requested:
if self.stop_requested_force:
if not self.is_master_process():
self.stop(force_exit=True)
else:
self.fail('Force stopped.', force_exit=True)
elif not self.is_master_process():
self.stop()
else:
self.abort()
return
if hasattr(sys, 'last_value'):
if isinstance(sys.last_value, KeyboardInterrupt):
self.abort()
else:
self.fail(type(sys.last_value).__name__ + ': ' + str(sys.
last_value))
elif self.running:
self.done()
| on_shutdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.in_shutdown = True\n self.logger.debug(\n 'on_shutdown, stopped=%s, ended=%s, early_stop=%s, stop_requested=%s' %\n (str(self... |
def x(self, message=None, force_exit=False):
global last_exit_code
if not last_exit_code:
last_exit_code = 1
with self.git.batch_commit('FAILED'):
self.set_status('FAILED', add_section=False)
self.git.commit_json_file('FAIL_MESSAGE', 'aetros/job/crash/error',
str(message) if message else '')
if isinstance(sys.stderr, GeneralLogger):
self.git.commit_json_file('FAIL_MESSAGE_LAST_LOG',
'aetros/job/crash/last_message', sys.stderr.last_messages)
self.logger.debug('Crash report stored in commit ' + self.git.
get_head_commit())
self.stop(JOB_STATUS.PROGRESS_STATUS_FAILED, force_exit=force_exit)
| fail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message=None, force_exit=False):\n global last_exit_code\n if not last_exit_code:\n last_exit_code = 1\n with self.git.batch_commit('FAIL... |
def x(self, message):
if self.stream_log and not self.ended:
self.stream_log.write(message)
return True
| write_log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if self.stream_log and not self.ended:\n self.stream_log.write(message)\n return True\n",
"role": "user"
},
{
"c... |
def x(self, status, add_section=True):
status = str(status)
if add_section:
self.section(status)
self.job_add_status('status', status)
| set_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status, add_section=True):\n status = str(status)\n if add_section:\n self.section(status)\n self.job_add_status('status', status)\n",
... |
def x(self, create_info=None, hyperparameter=None, server='local', insights
=False):
if not create_info:
create_info = {'server': server, 'config': {'insights': insights,
'command': ' '.join(sys.argv)}}
config = find_config(self.config_path, logger=self.logger)
if not config['model']:
raise Exception('AETROS config file (aetros.yml) not found.')
full_hyperparameters = lose_parameters_to_full(config['parameters'])
hyperparameter = extract_parameters(full_hyperparameters,
hyperparameter)
create_info['config']['parameters'] = hyperparameter
self.job = create_info
if 'server' not in self.job and server:
self.job['server'] = server
self.job['optimization'] = None
self.job['type'] = 'custom'
if 'parameters' not in self.job['config']:
self.job['config']['parameters'] = {}
if 'insights' not in self.job['config']:
self.job['config']['insights'] = insights
self.job['created'] = time.time()
self.git.create_job_id(self.job)
self.logger.debug('Job created with Git ref ' + self.git.ref_head)
return self.job_id
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, create_info=None, hyperparameter=None, server='local', insights\n =False):\n if not create_info:\n create_info = {'server': server, 'config'... |
def x(self, path, default=None, return_group=False):
value = read_parameter_by_path(self.job['config']['parameters'], path,
return_group)
if value is None:
return default
return value
| get_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, default=None, return_group=False):\n value = read_parameter_by_path(self.job['config']['parameters'], path,\n return_group)\n if value... |
def x(self, job_id):
self.git.read_job(job_id, checkout=self.is_master_process())
self.load_job_from_ref()
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n self.git.read_job(job_id, checkout=self.is_master_process())\n self.load_job_from_ref()\n",
"role": "user"
},
{
"content": "... |
def x(self):
if not self.job_id:
raise Exception('Job not loaded yet. Use load(id) first.')
if not os.path.exists(self.git.work_tree + '/aetros/job.json'):
raise Exception(
'Could not load aetros/job.json from git repository. Make sure you have created the job correctly.'
)
with open(self.git.work_tree + '/aetros/job.json') as f:
self.job = simplejson.loads(f.read(), object_pairs_hook=collections
.OrderedDict)
if not self.job:
raise Exception(
'Could not parse aetros/job.json from git repository. Make sure you have created the job correctly.'
)
self.logger.debug('job: ' + str(self.job))
| load_job_from_ref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.job_id:\n raise Exception('Job not loaded yet. Use load(id) first.')\n if not os.path.exists(self.git.work_tree + '/aetros/jo... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.