source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
if isinstance(self.object_query_code, dict):
return self.object_query_code
else:
return dict(pair.split('=') for pair in self.object_query_code.
split(','))
|
get_object_query_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if isinstance(self.object_query_code, dict):\n return self.object_query_code\n else:\n return dict(pair.split('=') for pair in self.object_query_code.\n split(','))\n",
"role": "user"
},
{
"content": "get_object_query_dict",
"role": "assistant"
}
] |
def x(self, wfi_role=None):
if self.object_key:
return [self.object_key]
if self.object_query_code:
model = model_registry.get_model(self.object_type)
return [m.key for m in self.get_model_objects(model, wfi_role, **
self.get_object_query_dict())]
|
get_object_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wfi_role=None):\n if self.object_key:\n return [self.object_key]\n if self.object_query_code:\n model = model_registry.get_model(self.object_type)\n return [m.key for m in self.get_model_objects(model, wfi_role, **\n self.get_object_query_dict())]\n",
"role": "user"
},
{
"content": "get_object_keys",
"role": "assistant"
}
] |
def x(model, wfi_role=None, **kwargs):
query_dict = {}
for k, v in kwargs.items():
if isinstance(v, list):
query_dict[k] = [str(x) for x in v]
else:
parse = str(v).split('.')
if parse[0] == 'role' and wfi_role:
query_dict[k] = wfi_role
for i in range(1, len(parse)):
query_dict[k] = query_dict[k].__getattribute__(parse[i])
else:
query_dict[k] = parse[0]
return model.objects.all(**query_dict)
|
get_model_objects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, wfi_role=None, **kwargs):\n query_dict = {}\n for k, v in kwargs.items():\n if isinstance(v, list):\n query_dict[k] = [str(x) for x in v]\n else:\n parse = str(v).split('.')\n if parse[0] == 'role' and wfi_role:\n query_dict[k] = wfi_role\n for i in range(1, len(parse)):\n query_dict[k] = query_dict[k].__getattribute__(parse[i])\n else:\n query_dict[k] = parse[0]\n return model.objects.all(**query_dict)\n",
"role": "user"
},
{
"content": "get_model_objects",
"role": "assistant"
}
] |
def x(self):
if self.role.exist:
return [self.role]
else:
roles = []
if self.role_query_code:
roles = RoleModel.objects.filter(**self.role_query_code)
elif self.unit.exist:
if self.recursive_units:
roles = (RoleModel.objects.get(k) for k in UnitModel.
get_role_keys(self.unit.key))
else:
roles = RoleModel.objects.filter(unit=self.unit)
elif self.get_roles_from:
return ROLE_GETTER_METHODS[self.get_roles_from](RoleModel)
if self.abstract_role.exist and roles:
if isinstance(roles, (list, types.GeneratorType)):
roles = [a for a in roles if a.abstract_role.key == self.
abstract_role.key]
else:
roles = roles.filter(abstract_role=self.abstract_role)
else:
roles = RoleModel.objects.filter(abstract_role=self.abstract_role)
return roles
|
get_roles
|
[
{
"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.role.exist:\n return [self.role]\n else:\n roles = []\n if self.role_query_code:\n roles = RoleModel.objects.filter(**self.role_query_code)\n elif self.unit.exist:\n if self.recursive_units:\n roles = (RoleModel.objects.get(k) for k in UnitModel.\n get_role_keys(self.unit.key))\n else:\n roles = RoleModel.objects.filter(unit=self.unit)\n elif self.get_roles_from:\n return ROLE_GETTER_METHODS[self.get_roles_from](RoleModel)\n if self.abstract_role.exist and roles:\n if isinstance(roles, (list, types.GeneratorType)):\n roles = [a for a in roles if a.abstract_role.key == self.\n abstract_role.key]\n else:\n roles = roles.filter(abstract_role=self.abstract_role)\n else:\n roles = RoleModel.objects.filter(abstract_role=self.abstract_role)\n return roles\n",
"role": "user"
},
{
"content": "get_roles",
"role": "assistant"
}
] |
def x(self):
if self.run:
self.run = False
self.create_tasks()
self.save()
|
post_save
|
[
{
"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.run:\n self.run = False\n self.create_tasks()\n self.save()\n",
"role": "user"
},
{
"content": "post_save",
"role": "assistant"
}
] |
def x(self):
self.objects.filter(instance=self.instance).exclude(key=self.key).delete()
|
delete_other_invitations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.objects.filter(instance=self.instance).exclude(key=self.key).delete()\n",
"role": "user"
},
{
"content": "delete_other_invitations",
"role": "assistant"
}
] |
def x(self, wf_state):
self.wf_state = wf_state
self.wf_state['role_id'] = self.current.role_id
self.set(self.wf_state)
if self.wf_state['name'] not in settings.EPHEMERAL_WORKFLOWS:
self.publish(job='_zops_sync_wf_cache', token=self.db_key)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wf_state):\n self.wf_state = wf_state\n self.wf_state['role_id'] = self.current.role_id\n self.set(self.wf_state)\n if self.wf_state['name'] not in settings.EPHEMERAL_WORKFLOWS:\n self.publish(job='_zops_sync_wf_cache', token=self.db_key)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, sess_id, message=None):
msg = json.dumps(message, cls=ZEngineJSONEncoder)
log.debug(
'Sending following message to %s queue through default exchange:\n%s' %
(sess_id, msg))
self.get_channel().publish(exchange='', routing_key=sess_id, body=msg)
|
send_to_default_exchange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sess_id, message=None):\n msg = json.dumps(message, cls=ZEngineJSONEncoder)\n log.debug(\n 'Sending following message to %s queue through default exchange:\\n%s' %\n (sess_id, msg))\n self.get_channel().publish(exchange='', routing_key=sess_id, body=msg)\n",
"role": "user"
},
{
"content": "send_to_default_exchange",
"role": "assistant"
}
] |
def x(self, user_id, message=None):
exchange = 'prv_%s' % user_id.lower()
msg = json.dumps(message, cls=ZEngineJSONEncoder)
log.debug('Sending following users "%s" exchange:\n%s ' % (exchange, msg))
self.get_channel().publish(exchange=exchange, routing_key='', body=msg)
|
send_to_prv_exchange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, message=None):\n exchange = 'prv_%s' % user_id.lower()\n msg = json.dumps(message, cls=ZEngineJSONEncoder)\n log.debug('Sending following users \"%s\" exchange:\\n%s ' % (exchange, msg))\n self.get_channel().publish(exchange=exchange, routing_key='', body=msg)\n",
"role": "user"
},
{
"content": "send_to_prv_exchange",
"role": "assistant"
}
] |
def x(self, other):
if not isinstance(other, Compose):
raise TypeError('CGRContainer or MoleculeContainer [sub]class expected'
)
cgr = self._get_subclass('CGRContainer')
common = self._node.keys() & other
if not common:
if not (isinstance(self, cgr) or isinstance(other, cgr)):
return cgr() | self | other
return self | other
unique_reactant = self._node.keys() - common
unique_product = other._node.keys() - common
h = cgr()
atoms = h._node
bonds = []
common_adj = {n: {} for n in common}
common_bonds = []
r_atoms = {}
r_skin = defaultdict(list)
if isinstance(self, cgr):
for n in unique_reactant:
h.add_atom(self._node[n], n)
for m, bond in self._adj[n].items():
if m not in atoms:
if m in common:
r_bond = bond._reactant
if r_bond is None:
continue
r_skin[n].append(m)
bond = DynBond.__new__(DynBond)
bond.__init_copy__(r_bond, None)
bonds.append((n, m, bond))
for n in common:
r_atoms[n] = self._node[n]._reactant
for m, bond in self._adj[n].items():
if m not in r_atoms and m in common:
tmp = [bond._reactant, None]
common_adj[n][m] = common_adj[m][n] = tmp
common_bonds.append((n, m, tmp))
else:
for n in unique_reactant:
atom = DynAtom.__new__(DynAtom)
atom.__init_copy__(self._node[n], self._node[n])
h.add_atom(atom, n)
for m, r_bond in self._adj[n].items():
if m not in atoms:
bond = DynBond.__new__(DynBond)
if m in common:
r_skin[n].append(m)
bond.__init_copy__(r_bond, None)
else:
bond.__init_copy__(r_bond, r_bond)
bonds.append((n, m, bond))
for n in common:
r_atoms[n] = self._node[n]
for m, bond in self._adj[n].items():
if m not in r_atoms and m in common:
tmp = [bond, None]
common_adj[n][m] = common_adj[m][n] = tmp
common_bonds.append((n, m, tmp))
p_atoms = {}
p_skin = defaultdict(list)
if isinstance(other, cgr):
for n in unique_product:
h.add_atom(other._node[n], n)
for m, bond in other._adj[n].items():
if m not in atoms:
if m in common:
p_bond = bond._product
if p_bond is None:
continue
p_skin[n].append(m)
bond = DynBond.__new__(DynBond)
bond.__init_copy__(None, p_bond)
bonds.append((n, m, bond))
for n in common:
p_atoms[n] = other._node[n]._product
n_bonds = common_adj[n]
for m, bond in other._adj[n].items():
if m in n_bonds:
n_bonds[m][1] = bond._product
elif m not in p_atoms and m in common:
p_bond = bond._product
if p_bond is None:
continue
bond = DynBond.__new__(DynBond)
bond.__init_copy__(None, p_bond)
bonds.append((n, m, bond))
else:
for n in unique_product:
atom = DynAtom.__new__(DynAtom)
atom.__init_copy__(other._node[n], other._node[n])
h.add_atom(atom, n)
for m, p_bond in other._adj[n].items():
if m not in atoms:
bond = DynBond.__new__(DynBond)
if m in common:
p_skin[n].append(m)
bond.__init_copy__(None, p_bond)
else:
bond.__init_copy__(p_bond, p_bond)
bonds.append((n, m, bond))
for n in common:
p_atoms[n] = other._node[n]
n_bonds = common_adj[n]
for m, p_bond in other._adj[n].items():
if m in n_bonds:
n_bonds[m][1] = p_bond
elif m not in p_atoms and m in common:
bond = DynBond.__new__(DynBond)
bond.__init_copy__(None, p_bond)
bonds.append((n, m, bond))
for n, r_atom in r_atoms.items():
p_atom = p_atoms[n]
if (r_atom.element != p_atom.element or r_atom.isotope != p_atom.
isotope):
raise ValueError('atom-to-atom mapping invalid')
atom = DynAtom.__new__(DynAtom)
atom.__init_copy__(r_atom, p_atom)
h.add_atom(atom, n)
for n, m, (r_bond, p_bond) in common_bonds:
if r_bond is p_bond is None:
continue
bond = DynBond.__new__(DynBond)
bond.__init_copy__(r_bond, p_bond)
h.add_bond(n, m, bond)
for n, m, bond in bonds:
h.add_bond(n, m, bond)
return h
|
compose
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if not isinstance(other, Compose):\n raise TypeError('CGRContainer or MoleculeContainer [sub]class expected'\n )\n cgr = self._get_subclass('CGRContainer')\n common = self._node.keys() & other\n if not common:\n if not (isinstance(self, cgr) or isinstance(other, cgr)):\n return cgr() | self | other\n return self | other\n unique_reactant = self._node.keys() - common\n unique_product = other._node.keys() - common\n h = cgr()\n atoms = h._node\n bonds = []\n common_adj = {n: {} for n in common}\n common_bonds = []\n r_atoms = {}\n r_skin = defaultdict(list)\n if isinstance(self, cgr):\n for n in unique_reactant:\n h.add_atom(self._node[n], n)\n for m, bond in self._adj[n].items():\n if m not in atoms:\n if m in common:\n r_bond = bond._reactant\n if r_bond is None:\n continue\n r_skin[n].append(m)\n bond = DynBond.__new__(DynBond)\n bond.__init_copy__(r_bond, None)\n bonds.append((n, m, bond))\n for n in common:\n r_atoms[n] = self._node[n]._reactant\n for m, bond in self._adj[n].items():\n if m not in r_atoms and m in common:\n tmp = [bond._reactant, None]\n common_adj[n][m] = common_adj[m][n] = tmp\n common_bonds.append((n, m, tmp))\n else:\n for n in unique_reactant:\n atom = DynAtom.__new__(DynAtom)\n atom.__init_copy__(self._node[n], self._node[n])\n h.add_atom(atom, n)\n for m, r_bond in self._adj[n].items():\n if m not in atoms:\n bond = DynBond.__new__(DynBond)\n if m in common:\n r_skin[n].append(m)\n bond.__init_copy__(r_bond, None)\n else:\n bond.__init_copy__(r_bond, r_bond)\n bonds.append((n, m, bond))\n for n in common:\n r_atoms[n] = self._node[n]\n for m, bond in self._adj[n].items():\n if m not in r_atoms and m in common:\n tmp = [bond, None]\n common_adj[n][m] = common_adj[m][n] = tmp\n common_bonds.append((n, m, tmp))\n p_atoms = {}\n p_skin = defaultdict(list)\n if isinstance(other, cgr):\n for n in unique_product:\n h.add_atom(other._node[n], n)\n for m, bond in other._adj[n].items():\n if m not in atoms:\n if m in common:\n p_bond = bond._product\n if p_bond is None:\n continue\n p_skin[n].append(m)\n bond = DynBond.__new__(DynBond)\n bond.__init_copy__(None, p_bond)\n bonds.append((n, m, bond))\n for n in common:\n p_atoms[n] = other._node[n]._product\n n_bonds = common_adj[n]\n for m, bond in other._adj[n].items():\n if m in n_bonds:\n n_bonds[m][1] = bond._product\n elif m not in p_atoms and m in common:\n p_bond = bond._product\n if p_bond is None:\n continue\n bond = DynBond.__new__(DynBond)\n bond.__init_copy__(None, p_bond)\n bonds.append((n, m, bond))\n else:\n for n in unique_product:\n atom = DynAtom.__new__(DynAtom)\n atom.__init_copy__(other._node[n], other._node[n])\n h.add_atom(atom, n)\n for m, p_bond in other._adj[n].items():\n if m not in atoms:\n bond = DynBond.__new__(DynBond)\n if m in common:\n p_skin[n].append(m)\n bond.__init_copy__(None, p_bond)\n else:\n bond.__init_copy__(p_bond, p_bond)\n bonds.append((n, m, bond))\n for n in common:\n p_atoms[n] = other._node[n]\n n_bonds = common_adj[n]\n for m, p_bond in other._adj[n].items():\n if m in n_bonds:\n n_bonds[m][1] = p_bond\n elif m not in p_atoms and m in common:\n bond = DynBond.__new__(DynBond)\n bond.__init_copy__(None, p_bond)\n bonds.append((n, m, bond))\n for n, r_atom in r_atoms.items():\n p_atom = p_atoms[n]\n if (r_atom.element != p_atom.element or r_atom.isotope != p_atom.\n isotope):\n raise ValueError('atom-to-atom mapping invalid')\n atom = DynAtom.__new__(DynAtom)\n atom.__init_copy__(r_atom, p_atom)\n h.add_atom(atom, n)\n for n, m, (r_bond, p_bond) in common_bonds:\n if r_bond is p_bond is None:\n continue\n bond = DynBond.__new__(DynBond)\n bond.__init_copy__(r_bond, p_bond)\n h.add_bond(n, m, bond)\n for n, m, bond in bonds:\n h.add_bond(n, m, bond)\n return h\n",
"role": "user"
},
{
"content": "compose",
"role": "assistant"
}
] |
def x(self):
mc = self._get_subclass('MoleculeContainer')
reactants = mc()
products = mc()
for n, atom in self.atoms():
reactants.add_atom(atom._reactant, n)
products.add_atom(atom._product, n)
for n, m, bond in self.bonds():
if bond._reactant is not None:
reactants.add_bond(n, m, bond._reactant)
if bond._product is not None:
products.add_bond(n, m, bond._product)
return reactants, products
|
decompose
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mc = self._get_subclass('MoleculeContainer')\n reactants = mc()\n products = mc()\n for n, atom in self.atoms():\n reactants.add_atom(atom._reactant, n)\n products.add_atom(atom._product, n)\n for n, m, bond in self.bonds():\n if bond._reactant is not None:\n reactants.add_bond(n, m, bond._reactant)\n if bond._product is not None:\n products.add_bond(n, m, bond._product)\n return reactants, products\n",
"role": "user"
},
{
"content": "decompose",
"role": "assistant"
}
] |
def x(self, size_data):
def x(df1, df2):
res = pd.merge(df1, df2, how='outer', left_index=True, right_index=True
)
cols = sorted(res.columns)
pairs = []
for col1, col2 in zip(cols[:-1], cols[1:]):
if col1.endswith('_x') and col2.endswith('_y'):
pairs.append((col1, col2))
for col1, col2 in pairs:
res[col1[:-2]] = res[col1].combine_first(res[col2])
res = res.drop([col1, col2], axis=1)
return res
dfs_key = []
for name, group in size_data.groupby('key'):
dfs = []
for row in group.itertuples():
dates = pd.date_range(start=row.fromDate, end=row.toDate)
sizes = [row.size] * len(dates)
data = {'date': dates, 'size': sizes}
df2 = pd.DataFrame(data, columns=['date', 'size'])
pd.to_datetime(df2['date'], format='%Y-%m-%d')
df2.set_index(['date'], inplace=True)
dfs.append(df2)
df_key = reduce(my_merge, dfs)
df_key.columns = [(name if x == 'size' else x) for x in df_key.columns]
dfs_key.append(df_key)
df_all = reduce(my_merge, dfs_key)
mykeys = df_all.columns.values.tolist()
mykeys.sort(key=lambda x: x.split('-')[0] + '-' + str(int(x.split('-')[
1])).zfill(6))
df_all = df_all[mykeys]
start, end = df_all.index.min(), df_all.index.max()
df_all = df_all.reindex(pd.date_range(start, end, freq='D'), method='ffill'
)
return df_all
|
size_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size_data):\n\n def x(df1, df2):\n res = pd.merge(df1, df2, how='outer', left_index=True, right_index=True\n )\n cols = sorted(res.columns)\n pairs = []\n for col1, col2 in zip(cols[:-1], cols[1:]):\n if col1.endswith('_x') and col2.endswith('_y'):\n pairs.append((col1, col2))\n for col1, col2 in pairs:\n res[col1[:-2]] = res[col1].combine_first(res[col2])\n res = res.drop([col1, col2], axis=1)\n return res\n dfs_key = []\n for name, group in size_data.groupby('key'):\n dfs = []\n for row in group.itertuples():\n dates = pd.date_range(start=row.fromDate, end=row.toDate)\n sizes = [row.size] * len(dates)\n data = {'date': dates, 'size': sizes}\n df2 = pd.DataFrame(data, columns=['date', 'size'])\n pd.to_datetime(df2['date'], format='%Y-%m-%d')\n df2.set_index(['date'], inplace=True)\n dfs.append(df2)\n df_key = reduce(my_merge, dfs)\n df_key.columns = [(name if x == 'size' else x) for x in df_key.columns]\n dfs_key.append(df_key)\n df_all = reduce(my_merge, dfs_key)\n mykeys = df_all.columns.values.tolist()\n mykeys.sort(key=lambda x: x.split('-')[0] + '-' + str(int(x.split('-')[\n 1])).zfill(6))\n df_all = df_all[mykeys]\n start, end = df_all.index.min(), df_all.index.max()\n df_all = df_all.reindex(pd.date_range(start, end, freq='D'), method='ffill'\n )\n return df_all\n",
"role": "user"
},
{
"content": "size_history",
"role": "assistant"
}
] |
def x(self, cycle_data, bins=10):
values, edges = np.histogram(cycle_data['cycle_time'].astype(
'timedelta64[D]').dropna(), bins=bins)
index = []
for i, v in enumerate(edges):
if i == 0:
continue
index.append('%.01f to %.01f' % (edges[i - 1], edges[i]))
return pd.Series(values, name='Items', index=index)
|
histogram
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cycle_data, bins=10):\n values, edges = np.histogram(cycle_data['cycle_time'].astype(\n 'timedelta64[D]').dropna(), bins=bins)\n index = []\n for i, v in enumerate(edges):\n if i == 0:\n continue\n index.append('%.01f to %.01f' % (edges[i - 1], edges[i]))\n return pd.Series(values, name='Items', index=index)\n",
"role": "user"
},
{
"content": "histogram",
"role": "assistant"
}
] |
def x(self, cycle_data, frequency='1D', pointscolumn=None):
if len(cycle_data) < 1:
return None
if pointscolumn:
return cycle_data[['completed_timestamp', pointscolumn]].rename(columns
={pointscolumn: 'sum'}).groupby('completed_timestamp').sum(
).resample(frequency).sum().fillna(0)
else:
return cycle_data[['completed_timestamp', 'key']].rename(columns={
'key': 'count'}).groupby('completed_timestamp').count().resample(
frequency).sum().fillna(0)
|
throughput_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cycle_data, frequency='1D', pointscolumn=None):\n if len(cycle_data) < 1:\n return None\n if pointscolumn:\n return cycle_data[['completed_timestamp', pointscolumn]].rename(columns\n ={pointscolumn: 'sum'}).groupby('completed_timestamp').sum(\n ).resample(frequency).sum().fillna(0)\n else:\n return cycle_data[['completed_timestamp', 'key']].rename(columns={\n 'key': 'count'}).groupby('completed_timestamp').count().resample(\n frequency).sum().fillna(0)\n",
"role": "user"
},
{
"content": "throughput_data",
"role": "assistant"
}
] |
def x(self, cycle_data):
columns = list(cycle_data.columns)
columns.remove('cycle_time')
columns.remove('completed_timestamp')
columns = ['completed_timestamp', 'cycle_time'] + columns
data = cycle_data[columns].dropna(subset=['cycle_time',
'completed_timestamp']).rename(columns={'completed_timestamp':
'completed_date'})
data['cycle_time'] = data['cycle_time'].astype('timedelta64[D]')
data['completed_date'] = data['completed_date'].map(pd.Timestamp.date)
return data
|
scatterplot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cycle_data):\n columns = list(cycle_data.columns)\n columns.remove('cycle_time')\n columns.remove('completed_timestamp')\n columns = ['completed_timestamp', 'cycle_time'] + columns\n data = cycle_data[columns].dropna(subset=['cycle_time',\n 'completed_timestamp']).rename(columns={'completed_timestamp':\n 'completed_date'})\n data['cycle_time'] = data['cycle_time'].astype('timedelta64[D]')\n data['completed_date'] = data['completed_date'].map(pd.Timestamp.date)\n return data\n",
"role": "user"
},
{
"content": "scatterplot",
"role": "assistant"
}
] |
def x(self, topic_name):
url = 'http://%s/stats?format=json&topic=%s' % (self.nsqd_http_address,
topic_name)
if '#' in topic_name:
topic_name, tag = topic_name.split('#', 1)
try:
data = self.session.get(url).json()
"""
data = {u'start_time': 1516164866, u'version': u'1.0.0-compat', u'health': u'OK', u'topics': [{u'message_count': 19019, u'paused': False, u'topic_name': u'test_topic', u'channels': [], u'depth': 19019, u'backend_depth': 9019, u'e2e_processing_latency': {u'count': 0, u'percentiles': None}}]}
"""
topics = data.get('topics', [])
topics = [t for t in topics if t['topic_name'] == topic_name]
if not topics:
raise Exception('topic_missing_at_nsq')
topic = topics[0]
depth = topic['depth']
depth += sum(c.get('depth', 0) for c in topic['channels'])
self.log.debug('nsq_depth_check', topic=topic_name, depth=depth,
max_depth=self.nsq_max_depth)
if depth < self.nsq_max_depth:
return
else:
raise Exception('nsq_is_full_waiting_to_clear')
except:
raise
|
is_ready
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_name):\n url = 'http://%s/stats?format=json&topic=%s' % (self.nsqd_http_address,\n topic_name)\n if '#' in topic_name:\n topic_name, tag = topic_name.split('#', 1)\n try:\n data = self.session.get(url).json()\n \"\"\"\n data = {u'start_time': 1516164866, u'version': u'1.0.0-compat', u'health': u'OK', u'topics': [{u'message_count': 19019, u'paused': False, u'topic_name': u'test_topic', u'channels': [], u'depth': 19019, u'backend_depth': 9019, u'e2e_processing_latency': {u'count': 0, u'percentiles': None}}]}\n \"\"\"\n topics = data.get('topics', [])\n topics = [t for t in topics if t['topic_name'] == topic_name]\n if not topics:\n raise Exception('topic_missing_at_nsq')\n topic = topics[0]\n depth = topic['depth']\n depth += sum(c.get('depth', 0) for c in topic['channels'])\n self.log.debug('nsq_depth_check', topic=topic_name, depth=depth,\n max_depth=self.nsq_max_depth)\n if depth < self.nsq_max_depth:\n return\n else:\n raise Exception('nsq_is_full_waiting_to_clear')\n except:\n raise\n",
"role": "user"
},
{
"content": "is_ready",
"role": "assistant"
}
] |
def x(self, other):
if isinstance(other, MoleculeContainer):
return GraphMatcher(other, self, lambda x, y: y == x, lambda x, y:
y == x)
elif isinstance(other, (QueryContainer, QueryCGRContainer)):
return GraphMatcher(other, self, lambda x, y: x == y, lambda x, y:
x == y)
raise TypeError(
'only query-molecule, query-query or query-cgr_query possible')
|
matcher
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if isinstance(other, MoleculeContainer):\n return GraphMatcher(other, self, lambda x, y: y == x, lambda x, y: \n y == x)\n elif isinstance(other, (QueryContainer, QueryCGRContainer)):\n return GraphMatcher(other, self, lambda x, y: x == y, lambda x, y: \n x == y)\n raise TypeError(\n 'only query-molecule, query-query or query-cgr_query possible')\n",
"role": "user"
},
{
"content": "matcher",
"role": "assistant"
}
] |
def x(self, other):
if isinstance(other, CGRContainer):
return GraphMatcher(other, self, lambda x, y: y == x, lambda x, y:
y == x)
elif isinstance(other, QueryCGRContainer):
return GraphMatcher(other, self, lambda x, y: x == y, lambda x, y:
x == y)
raise TypeError('only cgr_query-cgr or cgr_query-cgr_query possible')
|
matcher
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if isinstance(other, CGRContainer):\n return GraphMatcher(other, self, lambda x, y: y == x, lambda x, y: \n y == x)\n elif isinstance(other, QueryCGRContainer):\n return GraphMatcher(other, self, lambda x, y: x == y, lambda x, y: \n x == y)\n raise TypeError('only cgr_query-cgr or cgr_query-cgr_query possible')\n",
"role": "user"
},
{
"content": "matcher",
"role": "assistant"
}
] |
def x(self, force=False, scale=1):
dist = {}
for n, m_bond in self._adj.items():
dist[n] = {}
for m in m_bond:
dist[n][m] = 0.825
for n, m_bond in self._adj.items():
if len(m_bond) == 2:
(m1, b1), (m2, b2) = m_bond.items()
dist[m1][m2] = dist[m2][m1] = 1.43 if b1.order + b2.order in (2, 3
) else 1.7
elif len(m_bond) == 3:
m1, m2, m3 = m_bond
dist[m1][m2] = dist[m1][m3] = dist[m2][m3] = dist[m3][m2] = dist[m2
][m1] = dist[m3][m1] = 1.43
elif len(m_bond) == 4:
m1, m2, m3, m4 = m_bond
dist[m1][m2] = dist[m1][m4] = dist[m2][m1] = dist[m2][m3] = 1.17
dist[m3][m2] = dist[m3][m4] = dist[m4][m1] = dist[m4][m3] = 1.17
dist[m1][m3] = dist[m3][m1] = dist[m2][m4] = dist[m4][m2] = 1.7
for r in self.sssr:
if len(r) == 6:
m1, m2, m3, m4, m5, m6 = r
dist[m1][m4] = dist[m4][m1] = dist[m2][m5] = dist[m5][m2] = dist[m3
][m6] = dist[m6][m3] = 1.7
if force:
pos = None
else:
pos = {n: (atom.x or uniform(0, 0.01), atom.y or uniform(0, 0.01)) for
n, atom in self.atoms()}
for n, xy in kamada_kawai_layout(self, dist=dict(dist), pos=pos, scale=
scale).items():
atom = self._node[n]
atom.x, atom.y = xy
self.flush_cache()
|
calculate2d
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force=False, scale=1):\n dist = {}\n for n, m_bond in self._adj.items():\n dist[n] = {}\n for m in m_bond:\n dist[n][m] = 0.825\n for n, m_bond in self._adj.items():\n if len(m_bond) == 2:\n (m1, b1), (m2, b2) = m_bond.items()\n dist[m1][m2] = dist[m2][m1] = 1.43 if b1.order + b2.order in (2, 3\n ) else 1.7\n elif len(m_bond) == 3:\n m1, m2, m3 = m_bond\n dist[m1][m2] = dist[m1][m3] = dist[m2][m3] = dist[m3][m2] = dist[m2\n ][m1] = dist[m3][m1] = 1.43\n elif len(m_bond) == 4:\n m1, m2, m3, m4 = m_bond\n dist[m1][m2] = dist[m1][m4] = dist[m2][m1] = dist[m2][m3] = 1.17\n dist[m3][m2] = dist[m3][m4] = dist[m4][m1] = dist[m4][m3] = 1.17\n dist[m1][m3] = dist[m3][m1] = dist[m2][m4] = dist[m4][m2] = 1.7\n for r in self.sssr:\n if len(r) == 6:\n m1, m2, m3, m4, m5, m6 = r\n dist[m1][m4] = dist[m4][m1] = dist[m2][m5] = dist[m5][m2] = dist[m3\n ][m6] = dist[m6][m3] = 1.7\n if force:\n pos = None\n else:\n pos = {n: (atom.x or uniform(0, 0.01), atom.y or uniform(0, 0.01)) for\n n, atom in self.atoms()}\n for n, xy in kamada_kawai_layout(self, dist=dict(dist), pos=pos, scale=\n scale).items():\n atom = self._node[n]\n atom.x, atom.y = xy\n self.flush_cache()\n",
"role": "user"
},
{
"content": "calculate2d",
"role": "assistant"
}
] |
def x(self, position):
for direction in [0, 1, 2, 3]:
angles = self._rotate_direction_ninety_degrees(direction)
for angle in angles:
try:
end_loc = self.location.shift(angle).shift(direction).shift(
direction)
if position.is_square_empty(end_loc):
status = notation_const.MOVEMENT
elif not position.piece_at_square(end_loc).color == self.color:
status = notation_const.CAPTURE
else:
continue
yield Move(end_loc=end_loc, piece=self, status=status,
start_loc=self.location)
except IndexError:
pass
|
possible_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n for direction in [0, 1, 2, 3]:\n angles = self._rotate_direction_ninety_degrees(direction)\n for angle in angles:\n try:\n end_loc = self.location.shift(angle).shift(direction).shift(\n direction)\n if position.is_square_empty(end_loc):\n status = notation_const.MOVEMENT\n elif not position.piece_at_square(end_loc).color == self.color:\n status = notation_const.CAPTURE\n else:\n continue\n yield Move(end_loc=end_loc, piece=self, status=status,\n start_loc=self.location)\n except IndexError:\n pass\n",
"role": "user"
},
{
"content": "possible_moves",
"role": "assistant"
}
] |
def x(self):
center = set()
adj = defaultdict(set)
for n, atom in self.atoms():
if atom._reactant != atom._product:
center.add(n)
for n, m, bond in self.bonds():
if bond._reactant != bond._product:
adj[n].add(m)
adj[m].add(n)
center.add(n)
center.add(m)
out = []
while center:
n = center.pop()
if n in adj:
c = set(self.__plain_bfs(adj, n))
out.append(list(c))
center.difference_update(c)
else:
out.append([n])
return out
|
centers_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n center = set()\n adj = defaultdict(set)\n for n, atom in self.atoms():\n if atom._reactant != atom._product:\n center.add(n)\n for n, m, bond in self.bonds():\n if bond._reactant != bond._product:\n adj[n].add(m)\n adj[m].add(n)\n center.add(n)\n center.add(m)\n out = []\n while center:\n n = center.pop()\n if n in adj:\n c = set(self.__plain_bfs(adj, n))\n out.append(list(c))\n center.difference_update(c)\n else:\n out.append([n])\n return out\n",
"role": "user"
},
{
"content": "centers_list",
"role": "assistant"
}
] |
def x(self):
nodes = set()
for n, atom in self.atoms():
if atom._reactant != atom._product:
nodes.add(n)
for n, m, bond in self.bonds():
if bond._reactant != bond._product:
nodes.add(n)
nodes.add(m)
return list(nodes)
|
center_atoms
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nodes = set()\n for n, atom in self.atoms():\n if atom._reactant != atom._product:\n nodes.add(n)\n for n, m, bond in self.bonds():\n if bond._reactant != bond._product:\n nodes.add(n)\n nodes.add(m)\n return list(nodes)\n",
"role": "user"
},
{
"content": "center_atoms",
"role": "assistant"
}
] |
def x(self):
return [(n, m) for n, m, bond in self.bonds() if bond._reactant != bond
._product]
|
center_bonds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [(n, m) for n, m, bond in self.bonds() if bond._reactant != bond\n ._product]\n",
"role": "user"
},
{
"content": "center_bonds",
"role": "assistant"
}
] |
def x(self):
for i, atom in self.atoms():
neighbors = 0
hybridization = 1
p_neighbors = 0
p_hybridization = 1
for j, bond in self._adj[i].items():
isnth = self._node[j].element != 'H'
order = bond.order
if order:
if isnth:
neighbors += 1
if hybridization not in (3, 4):
if order == 4:
hybridization = 4
elif order == 3:
hybridization = 3
elif order == 2:
if hybridization == 2:
hybridization = 3
else:
hybridization = 2
order = bond.p_order
if order:
if isnth:
p_neighbors += 1
if p_hybridization not in (3, 4):
if order == 4:
p_hybridization = 4
elif order == 3:
p_hybridization = 3
elif order == 2:
if p_hybridization == 2:
p_hybridization = 3
else:
p_hybridization = 2
atom._reactant._neighbors = neighbors
atom._reactant._hybridization = hybridization
atom._product._neighbors = p_neighbors
atom._product._hybridization = p_hybridization
atom.__dict__.clear()
self.flush_cache()
|
reset_query_marks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for i, atom in self.atoms():\n neighbors = 0\n hybridization = 1\n p_neighbors = 0\n p_hybridization = 1\n for j, bond in self._adj[i].items():\n isnth = self._node[j].element != 'H'\n order = bond.order\n if order:\n if isnth:\n neighbors += 1\n if hybridization not in (3, 4):\n if order == 4:\n hybridization = 4\n elif order == 3:\n hybridization = 3\n elif order == 2:\n if hybridization == 2:\n hybridization = 3\n else:\n hybridization = 2\n order = bond.p_order\n if order:\n if isnth:\n p_neighbors += 1\n if p_hybridization not in (3, 4):\n if order == 4:\n p_hybridization = 4\n elif order == 3:\n p_hybridization = 3\n elif order == 2:\n if p_hybridization == 2:\n p_hybridization = 3\n else:\n p_hybridization = 2\n atom._reactant._neighbors = neighbors\n atom._reactant._hybridization = hybridization\n atom._product._neighbors = p_neighbors\n atom._product._hybridization = p_hybridization\n atom.__dict__.clear()\n self.flush_cache()\n",
"role": "user"
},
{
"content": "reset_query_marks",
"role": "assistant"
}
] |
def x(self, atoms, meta=False, as_view=True):
s = super().substructure(atoms, meta, as_view)
if as_view:
s.reset_query_marks = frozen
return s
|
substructure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atoms, meta=False, as_view=True):\n s = super().substructure(atoms, meta, as_view)\n if as_view:\n s.reset_query_marks = frozen\n return s\n",
"role": "user"
},
{
"content": "substructure",
"role": "assistant"
}
] |
def x(self, other):
if isinstance(other, CGRContainer):
return GraphMatcher(other, self, lambda x, y: x == y, lambda x, y:
x == y)
raise TypeError('only cgr-cgr possible')
|
matcher
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if isinstance(other, CGRContainer):\n return GraphMatcher(other, self, lambda x, y: x == y, lambda x, y: \n x == y)\n raise TypeError('only cgr-cgr possible')\n",
"role": "user"
},
{
"content": "matcher",
"role": "assistant"
}
] |
def x(adj, source):
seen = set()
nextlevel = {source}
while nextlevel:
thislevel = nextlevel
nextlevel = set()
for v in thislevel:
if v not in seen:
yield v
seen.add(v)
nextlevel.update(adj[v])
|
plain_bfs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(adj, source):\n seen = set()\n nextlevel = {source}\n while nextlevel:\n thislevel = nextlevel\n nextlevel = set()\n for v in thislevel:\n if v not in seen:\n yield v\n seen.add(v)\n nextlevel.update(adj[v])\n",
"role": "user"
},
{
"content": "plain_bfs",
"role": "assistant"
}
] |
def x(self):
if self._token is None:
token_type = os.getenv(TOKEN_TYPE_KEY, '')
token_body = os.getenv(TOKEN_BODY_KEY, '')
self._token = _Token(token_type, token_body)
return self._token
|
token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._token is None:\n token_type = os.getenv(TOKEN_TYPE_KEY, '')\n token_body = os.getenv(TOKEN_BODY_KEY, '')\n self._token = _Token(token_type, token_body)\n return self._token\n",
"role": "user"
},
{
"content": "token",
"role": "assistant"
}
] |
def x(self):
buff = BytesIO()
while True:
msgs = list()
try:
msg = yield self.queue.get()
if not self._connected:
yield self.connect()
try:
while True:
msgs.append(msg)
counter = next(self.counter)
msgpack_pack([counter, EMIT, msg], buff)
msg = self.queue.get_nowait()
except queues.QueueEmpty:
pass
try:
yield self.pipe.write(buff.getvalue())
except Exception:
pass
buff.truncate(0)
except Exception:
for message in msgs:
self._log_to_fallback(message)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n buff = BytesIO()\n while True:\n msgs = list()\n try:\n msg = yield self.queue.get()\n if not self._connected:\n yield self.connect()\n try:\n while True:\n msgs.append(msg)\n counter = next(self.counter)\n msgpack_pack([counter, EMIT, msg], buff)\n msg = self.queue.get_nowait()\n except queues.QueueEmpty:\n pass\n try:\n yield self.pipe.write(buff.getvalue())\n except Exception:\n pass\n buff.truncate(0)\n except Exception:\n for message in msgs:\n self._log_to_fallback(message)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, direction, position):
current_square = self.location
while True:
try:
current_square = direction(current_square)
except IndexError:
return
if self.contains_opposite_color_piece(current_square, position):
yield self.create_move(current_square, notation_const.CAPTURE)
if not position.is_square_empty(current_square):
return
yield self.create_move(current_square, notation_const.MOVEMENT)
|
moves_in_direction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction, position):\n current_square = self.location\n while True:\n try:\n current_square = direction(current_square)\n except IndexError:\n return\n if self.contains_opposite_color_piece(current_square, position):\n yield self.create_move(current_square, notation_const.CAPTURE)\n if not position.is_square_empty(current_square):\n return\n yield self.create_move(current_square, notation_const.MOVEMENT)\n",
"role": "user"
},
{
"content": "moves_in_direction",
"role": "assistant"
}
] |
def x(self, position):
for move in itertools.chain(*[self.moves_in_direction(fn, position) for
fn in self.cross_fn]):
yield move
|
possible_moves
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n for move in itertools.chain(*[self.moves_in_direction(fn, position) for\n fn in self.cross_fn]):\n yield move\n",
"role": "user"
},
{
"content": "possible_moves",
"role": "assistant"
}
] |
def x(a, b):
a1, a2 = a.min(), a.max()
b1, b2 = b.min(), b.max()
if a1 >= b1 and a2 <= b2:
result = 'full'
elif a2 < b1 or b2 < a1:
result = 'none'
else:
result = 'partial'
return result
|
overlap_status
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a1, a2 = a.min(), a.max()\n b1, b2 = b.min(), b.max()\n if a1 >= b1 and a2 <= b2:\n result = 'full'\n elif a2 < b1 or b2 < a1:\n result = 'none'\n else:\n result = 'partial'\n return result\n",
"role": "user"
},
{
"content": "overlap_status",
"role": "assistant"
}
] |
def x(totalflux):
if totalflux <= 0.0:
raise exceptions.SynphotError('Integrated flux is <= 0')
elif np.isnan(totalflux):
raise exceptions.SynphotError('Integrated flux is NaN')
elif np.isinf(totalflux):
raise exceptions.SynphotError('Integrated flux is infinite')
|
validate_totalflux
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(totalflux):\n if totalflux <= 0.0:\n raise exceptions.SynphotError('Integrated flux is <= 0')\n elif np.isnan(totalflux):\n raise exceptions.SynphotError('Integrated flux is NaN')\n elif np.isinf(totalflux):\n raise exceptions.SynphotError('Integrated flux is infinite')\n",
"role": "user"
},
{
"content": "validate_totalflux",
"role": "assistant"
}
] |
def x(wavelengths):
if isinstance(wavelengths, u.Quantity):
units.validate_wave_unit(wavelengths.unit)
wave = wavelengths.value
else:
wave = wavelengths
if np.isscalar(wave):
wave = [wave]
wave = np.asarray(wave)
if np.any(wave <= 0):
raise exceptions.ZeroWavelength(
'Negative or zero wavelength occurs in wavelength array', rows=
np.where(wave <= 0)[0])
sorted_wave = np.sort(wave)
if not np.alltrue(sorted_wave == wave):
if np.alltrue(sorted_wave[::-1] == wave):
pass
else:
raise exceptions.UnsortedWavelength(
'Wavelength array is not monotonic', rows=np.where(
sorted_wave != wave)[0])
if wave.size > 1:
dw = sorted_wave[1:] - sorted_wave[:-1]
if np.any(dw == 0):
raise exceptions.DuplicateWavelength(
'Wavelength array contains duplicate entries', rows=np.
where(dw == 0)[0])
|
validate_wavelengths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wavelengths):\n if isinstance(wavelengths, u.Quantity):\n units.validate_wave_unit(wavelengths.unit)\n wave = wavelengths.value\n else:\n wave = wavelengths\n if np.isscalar(wave):\n wave = [wave]\n wave = np.asarray(wave)\n if np.any(wave <= 0):\n raise exceptions.ZeroWavelength(\n 'Negative or zero wavelength occurs in wavelength array', rows=\n np.where(wave <= 0)[0])\n sorted_wave = np.sort(wave)\n if not np.alltrue(sorted_wave == wave):\n if np.alltrue(sorted_wave[::-1] == wave):\n pass\n else:\n raise exceptions.UnsortedWavelength(\n 'Wavelength array is not monotonic', rows=np.where(\n sorted_wave != wave)[0])\n if wave.size > 1:\n dw = sorted_wave[1:] - sorted_wave[:-1]\n if np.any(dw == 0):\n raise exceptions.DuplicateWavelength(\n 'Wavelength array contains duplicate entries', rows=np.\n where(dw == 0)[0])\n",
"role": "user"
},
{
"content": "validate_wavelengths",
"role": "assistant"
}
] |
def x(minwave=500, maxwave=26000, num=10000, delta=None, log=True,
wave_unit=u.AA):
wave_unit = units.validate_unit(wave_unit)
if delta is not None:
num = None
waveset_str = 'Min: {0}, Max: {1}, Num: {2}, Delta: {3}, Log: {4}'.format(
minwave, maxwave, num, delta, log)
if log:
logmin = np.log10(minwave)
logmax = np.log10(maxwave)
if delta is None:
waveset = np.logspace(logmin, logmax, num, endpoint=False)
else:
waveset = 10 ** np.arange(logmin, logmax, delta)
elif delta is None:
waveset = np.linspace(minwave, maxwave, num, endpoint=False)
else:
waveset = np.arange(minwave, maxwave, delta)
return waveset.astype(np.float64) * wave_unit, waveset_str
|
generate_wavelengths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(minwave=500, maxwave=26000, num=10000, delta=None, log=True,\n wave_unit=u.AA):\n wave_unit = units.validate_unit(wave_unit)\n if delta is not None:\n num = None\n waveset_str = 'Min: {0}, Max: {1}, Num: {2}, Delta: {3}, Log: {4}'.format(\n minwave, maxwave, num, delta, log)\n if log:\n logmin = np.log10(minwave)\n logmax = np.log10(maxwave)\n if delta is None:\n waveset = np.logspace(logmin, logmax, num, endpoint=False)\n else:\n waveset = 10 ** np.arange(logmin, logmax, delta)\n elif delta is None:\n waveset = np.linspace(minwave, maxwave, num, endpoint=False)\n else:\n waveset = np.arange(minwave, maxwave, delta)\n return waveset.astype(np.float64) * wave_unit, waveset_str\n",
"role": "user"
},
{
"content": "generate_wavelengths",
"role": "assistant"
}
] |
def x(waveset1, waveset2, threshold=1e-12):
if waveset1 is None and waveset2 is None:
out_wavelengths = None
elif waveset1 is not None and waveset2 is None:
out_wavelengths = waveset1
elif waveset1 is None and waveset2 is not None:
out_wavelengths = waveset2
else:
out_wavelengths = np.union1d(waveset1, waveset2)
delta = out_wavelengths[1:] - out_wavelengths[:-1]
i_good = np.where(delta > threshold)
if len(i_good[0]) < delta.size:
out_wavelengths = np.append(out_wavelengths[i_good],
out_wavelengths[-1])
return out_wavelengths
|
merge_wavelengths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(waveset1, waveset2, threshold=1e-12):\n if waveset1 is None and waveset2 is None:\n out_wavelengths = None\n elif waveset1 is not None and waveset2 is None:\n out_wavelengths = waveset1\n elif waveset1 is None and waveset2 is not None:\n out_wavelengths = waveset2\n else:\n out_wavelengths = np.union1d(waveset1, waveset2)\n delta = out_wavelengths[1:] - out_wavelengths[:-1]\n i_good = np.where(delta > threshold)\n if len(i_good[0]) < delta.size:\n out_wavelengths = np.append(out_wavelengths[i_good],\n out_wavelengths[-1])\n return out_wavelengths\n",
"role": "user"
},
{
"content": "merge_wavelengths",
"role": "assistant"
}
] |
def x(cdbs_root, verbose=True, dry_run=False):
from .config import conf
if not os.path.exists(cdbs_root):
os.makedirs(cdbs_root, exist_ok=True)
if verbose:
print('Created {}'.format(cdbs_root))
elif not os.path.isdir(cdbs_root):
raise OSError('{} must be a directory'.format(cdbs_root))
host = 'http://ssb.stsci.edu/cdbs/'
file_list = []
if not cdbs_root.endswith(os.sep):
cdbs_root += os.sep
for cfgitem in conf.__class__.__dict__.values():
if not isinstance(cfgitem, ConfigItem) or not cfgitem.name.endswith(
'file'):
continue
url = cfgitem()
if not url.startswith(host):
if verbose:
print('{} is not from {}, skipping download'.format(url, host))
continue
dst = url.replace(host, cdbs_root).replace('/', os.sep)
if os.path.exists(dst):
if verbose:
print('{} already exists, skipping download'.format(dst))
continue
subdirs = os.path.dirname(dst)
os.makedirs(subdirs, exist_ok=True)
if not dry_run:
try:
src = download_file(url)
copyfile(src, dst)
except Exception as exc:
print('Download failed - {}'.format(str(exc)))
continue
file_list.append(dst)
if verbose:
print('{} downloaded to {}'.format(url, dst))
return file_list
|
download_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cdbs_root, verbose=True, dry_run=False):\n from .config import conf\n if not os.path.exists(cdbs_root):\n os.makedirs(cdbs_root, exist_ok=True)\n if verbose:\n print('Created {}'.format(cdbs_root))\n elif not os.path.isdir(cdbs_root):\n raise OSError('{} must be a directory'.format(cdbs_root))\n host = 'http://ssb.stsci.edu/cdbs/'\n file_list = []\n if not cdbs_root.endswith(os.sep):\n cdbs_root += os.sep\n for cfgitem in conf.__class__.__dict__.values():\n if not isinstance(cfgitem, ConfigItem) or not cfgitem.name.endswith(\n 'file'):\n continue\n url = cfgitem()\n if not url.startswith(host):\n if verbose:\n print('{} is not from {}, skipping download'.format(url, host))\n continue\n dst = url.replace(host, cdbs_root).replace('/', os.sep)\n if os.path.exists(dst):\n if verbose:\n print('{} already exists, skipping download'.format(dst))\n continue\n subdirs = os.path.dirname(dst)\n os.makedirs(subdirs, exist_ok=True)\n if not dry_run:\n try:\n src = download_file(url)\n copyfile(src, dst)\n except Exception as exc:\n print('Download failed - {}'.format(str(exc)))\n continue\n file_list.append(dst)\n if verbose:\n print('{} downloaded to {}'.format(url, dst))\n return file_list\n",
"role": "user"
},
{
"content": "download_data",
"role": "assistant"
}
] |
async def main(loop):
"""Demonstrate functionality of PyVLX."""
pyvlx = PyVLX('pyvlx.yaml', loop=loop)
await pyvlx.load_scenes()
await pyvlx.scenes['All Windows Closed'].run()
await pyvlx.load_nodes()
await pyvlx.nodes['Bath'].open()
await pyvlx.nodes['Bath'].close()
await pyvlx.nodes['Bath'].set_position(Position(position_percent=45))
await pyvlx.disconnect()
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def main(loop):\n \"\"\"Demonstrate functionality of PyVLX.\"\"\"\n pyvlx = PyVLX('pyvlx.yaml', loop=loop)\n await pyvlx.load_scenes()\n await pyvlx.scenes['All Windows Closed'].run()\n await pyvlx.load_nodes()\n await pyvlx.nodes['Bath'].open()\n await pyvlx.nodes['Bath'].close()\n await pyvlx.nodes['Bath'].set_position(Position(position_percent=45))\n await pyvlx.disconnect()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
if self.password is None:
raise PyVLXException('password is none')
if len(self.password) > self.MAX_SIZE:
raise PyVLXException('password is too long')
return string_to_bytes(self.password, self.MAX_SIZE)
|
get_payload
|
[
{
"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.password is None:\n raise PyVLXException('password is none')\n if len(self.password) > self.MAX_SIZE:\n raise PyVLXException('password is too long')\n return string_to_bytes(self.password, self.MAX_SIZE)\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, node):
if not isinstance(node, Node):
raise TypeError()
for i, j in enumerate(self.__nodes):
if j.node_id == node.node_id:
self.__nodes[i] = node
return
self.__nodes.append(node)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if not isinstance(node, Node):\n raise TypeError()\n for i, j in enumerate(self.__nodes):\n if j.node_id == node.node_id:\n self.__nodes[i] = node\n return\n self.__nodes.append(node)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
async def load(self, node_id=None):
"""Load nodes from KLF 200, if no node_id is specified all nodes are loaded."""
if node_id is not None:
await self._load_node(node_id=node_id)
else:
await self._load_all_nodes()
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def load(self, node_id=None):\n \"\"\"Load nodes from KLF 200, if no node_id is specified all nodes are loaded.\"\"\"\n if node_id is not None:\n await self._load_node(node_id=node_id)\n else:\n await self._load_all_nodes()\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
async def _load_node(self, node_id):
"""Load single node via API."""
get_node_information = GetNodeInformation(pyvlx=self.pyvlx, node_id=node_id
)
await get_node_information.do_api_call()
if not get_node_information.success:
raise PyVLXException('Unable to retrieve node information')
notification_frame = get_node_information.notification_frame
node = convert_frame_to_node(self.pyvlx, notification_frame)
if node is not None:
self.add(node)
|
load_node
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _load_node(self, node_id):\n \"\"\"Load single node via API.\"\"\"\n get_node_information = GetNodeInformation(pyvlx=self.pyvlx, node_id=node_id\n )\n await get_node_information.do_api_call()\n if not get_node_information.success:\n raise PyVLXException('Unable to retrieve node information')\n notification_frame = get_node_information.notification_frame\n node = convert_frame_to_node(self.pyvlx, notification_frame)\n if node is not None:\n self.add(node)\n",
"role": "user"
},
{
"content": "load_node",
"role": "assistant"
}
] |
async def _load_all_nodes(self):
"""Load all nodes via API."""
get_all_nodes_information = GetAllNodesInformation(pyvlx=self.pyvlx)
await get_all_nodes_information.do_api_call()
if not get_all_nodes_information.success:
raise PyVLXException('Unable to retrieve node information')
self.clear()
for notification_frame in get_all_nodes_information.notification_frames:
node = convert_frame_to_node(self.pyvlx, notification_frame)
if node is not None:
self.add(node)
|
load_all_nodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _load_all_nodes(self):\n \"\"\"Load all nodes via API.\"\"\"\n get_all_nodes_information = GetAllNodesInformation(pyvlx=self.pyvlx)\n await get_all_nodes_information.do_api_call()\n if not get_all_nodes_information.success:\n raise PyVLXException('Unable to retrieve node information')\n self.clear()\n for notification_frame in get_all_nodes_information.notification_frames:\n node = convert_frame_to_node(self.pyvlx, notification_frame)\n if node is not None:\n self.add(node)\n",
"role": "user"
},
{
"content": "load_all_nodes",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if isinstance(frame, FrameGetAllNodesInformationConfirmation):
self.number_of_nodes = frame.number_of_nodes
return False
if isinstance(frame, FrameGetAllNodesInformationNotification):
self.notification_frames.append(frame)
if isinstance(frame, FrameGetAllNodesInformationFinishedNotification):
if self.number_of_nodes != len(self.notification_frames):
PYVLXLOG.warning(
'Number of received scenes does not match expected number')
self.success = True
return True
return False
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if isinstance(frame, FrameGetAllNodesInformationConfirmation):\n self.number_of_nodes = frame.number_of_nodes\n return False\n if isinstance(frame, FrameGetAllNodesInformationNotification):\n self.notification_frames.append(frame)\n if isinstance(frame, FrameGetAllNodesInformationFinishedNotification):\n if self.number_of_nodes != len(self.notification_frames):\n PYVLXLOG.warning(\n 'Number of received scenes does not match expected number')\n self.success = True\n return True\n return False\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if isinstance(frame, FrameGetNodeInformationConfirmation
) and frame.node_id == self.node_id:
return False
if isinstance(frame, FrameGetNodeInformationNotification
) and frame.node_id == self.node_id:
self.notification_frame = frame
self.success = True
return True
return False
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if isinstance(frame, FrameGetNodeInformationConfirmation\n ) and frame.node_id == self.node_id:\n return False\n if isinstance(frame, FrameGetNodeInformationNotification\n ) and frame.node_id == self.node_id:\n self.notification_frame = frame\n self.success = True\n return True\n return False\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
def x(self):
self.run_task = self.pyvlx.loop.create_task(self.loop())
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.run_task = self.pyvlx.loop.create_task(self.loop())\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
async def stop(self):
"""Stop heartbeat."""
self.stopped = True
self.loop_event.set()
await self.stopped_event.wait()
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def stop(self):\n \"\"\"Stop heartbeat.\"\"\"\n self.stopped = True\n self.loop_event.set()\n await self.stopped_event.wait()\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
async def loop(self):
"""Pulse every timeout seconds until stopped."""
while not self.stopped:
self.timeout_handle = self.pyvlx.connection.loop.call_later(self.
timeout_in_seconds, self.loop_timeout)
await self.loop_event.wait()
if not self.stopped:
self.loop_event.clear()
await self.pulse()
self.cancel_loop_timeout()
self.stopped_event.set()
|
loop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def loop(self):\n \"\"\"Pulse every timeout seconds until stopped.\"\"\"\n while not self.stopped:\n self.timeout_handle = self.pyvlx.connection.loop.call_later(self.\n timeout_in_seconds, self.loop_timeout)\n await self.loop_event.wait()\n if not self.stopped:\n self.loop_event.clear()\n await self.pulse()\n self.cancel_loop_timeout()\n self.stopped_event.set()\n",
"role": "user"
},
{
"content": "loop",
"role": "assistant"
}
] |
async def pulse(self):
"""Send get state request to API to keep the connection alive."""
get_state = GetState(pyvlx=self.pyvlx)
await get_state.do_api_call()
if not get_state.success:
raise PyVLXException('Unable to send get state.')
|
pulse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def pulse(self):\n \"\"\"Send get state request to API to keep the connection alive.\"\"\"\n get_state = GetState(pyvlx=self.pyvlx)\n await get_state.do_api_call()\n if not get_state.success:\n raise PyVLXException('Unable to send get state.')\n",
"role": "user"
},
{
"content": "pulse",
"role": "assistant"
}
] |
def x(self):
payload = bytes([self.gateway_state.value, self.gateway_sub_state.value])
payload += bytes(4)
return payload
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n payload = bytes([self.gateway_state.value, self.gateway_sub_state.value])\n payload += bytes(4)\n return payload\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.gateway_state = GatewayState(payload[0])
self.gateway_sub_state = GatewaySubState(payload[1])
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.gateway_state = GatewayState(payload[0])\n self.gateway_sub_state = GatewaySubState(payload[1])\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(string, size):
if len(string) > size:
raise PyVLXException('string_to_bytes::string_to_large')
encoded = bytes(string, encoding='utf-8')
return encoded + bytes(size - len(encoded))
|
string_to_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, size):\n if len(string) > size:\n raise PyVLXException('string_to_bytes::string_to_large')\n encoded = bytes(string, encoding='utf-8')\n return encoded + bytes(size - len(encoded))\n",
"role": "user"
},
{
"content": "string_to_bytes",
"role": "assistant"
}
] |
def x(raw):
ret = bytes()
for byte in raw:
if byte == 0:
return ret.decode('utf-8')
ret += bytes([byte])
return ret.decode('utf-8')
|
bytes_to_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n ret = bytes()\n for byte in raw:\n if byte == 0:\n return ret.decode('utf-8')\n ret += bytes([byte])\n return ret.decode('utf-8')\n",
"role": "user"
},
{
"content": "bytes_to_string",
"role": "assistant"
}
] |
def x(self):
payload = bytes([self.node_id])
payload += bytes([self.state])
payload += bytes(self.current_position.raw)
payload += bytes(self.target.raw)
payload += bytes(self.current_position_fp1.raw)
payload += bytes(self.current_position_fp2.raw)
payload += bytes(self.current_position_fp3.raw)
payload += bytes(self.current_position_fp4.raw)
payload += bytes([self.remaining_time >> 8 & 255, self.remaining_time &
255])
payload += struct.pack('>I', self.timestamp)
return payload
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n payload = bytes([self.node_id])\n payload += bytes([self.state])\n payload += bytes(self.current_position.raw)\n payload += bytes(self.target.raw)\n payload += bytes(self.current_position_fp1.raw)\n payload += bytes(self.current_position_fp2.raw)\n payload += bytes(self.current_position_fp3.raw)\n payload += bytes(self.current_position_fp4.raw)\n payload += bytes([self.remaining_time >> 8 & 255, self.remaining_time &\n 255])\n payload += struct.pack('>I', self.timestamp)\n return payload\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
self.node_id = payload[0]
self.state = payload[1]
self.current_position = Parameter(payload[2:4])
self.target = Parameter(payload[4:6])
self.current_position_fp1 = Parameter(payload[6:8])
self.current_position_fp2 = Parameter(payload[8:10])
self.current_position_fp3 = Parameter(payload[10:12])
self.current_position_fp4 = Parameter(payload[12:14])
self.remaining_time = payload[14] * 256 + payload[15]
self.timestamp = struct.unpack('>I', payload[16:20])[0]
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n self.node_id = payload[0]\n self.state = payload[1]\n self.current_position = Parameter(payload[2:4])\n self.target = Parameter(payload[4:6])\n self.current_position_fp1 = Parameter(payload[6:8])\n self.current_position_fp2 = Parameter(payload[8:10])\n self.current_position_fp3 = Parameter(payload[10:12])\n self.current_position_fp4 = Parameter(payload[12:14])\n self.remaining_time = payload[14] * 256 + payload[15]\n self.timestamp = struct.unpack('>I', payload[16:20])[0]\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
async def house_status_monitor_enable(pyvlx):
"""Enable house status monitor."""
status_monitor_enable = HouseStatusMonitorEnable(pyvlx=pyvlx)
await status_monitor_enable.do_api_call()
if not status_monitor_enable.success:
raise PyVLXException('Unable enable house status monitor.')
|
house_status_monitor_enable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def house_status_monitor_enable(pyvlx):\n \"\"\"Enable house status monitor.\"\"\"\n status_monitor_enable = HouseStatusMonitorEnable(pyvlx=pyvlx)\n await status_monitor_enable.do_api_call()\n if not status_monitor_enable.success:\n raise PyVLXException('Unable enable house status monitor.')\n",
"role": "user"
},
{
"content": "house_status_monitor_enable",
"role": "assistant"
}
] |
async def house_status_monitor_disable(pyvlx):
"""Disable house status monitor."""
status_monitor_disable = HouseStatusMonitorDisable(pyvlx=pyvlx)
await status_monitor_disable.do_api_call()
if not status_monitor_disable.success:
raise PyVLXException('Unable disable house status monitor.')
|
house_status_monitor_disable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def house_status_monitor_disable(pyvlx):\n \"\"\"Disable house status monitor.\"\"\"\n status_monitor_disable = HouseStatusMonitorDisable(pyvlx=pyvlx)\n await status_monitor_disable.do_api_call()\n if not status_monitor_disable.success:\n raise PyVLXException('Unable disable house status monitor.')\n",
"role": "user"
},
{
"content": "house_status_monitor_disable",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if not isinstance(frame, FrameHouseStatusMonitorEnableConfirmation):
return False
self.success = True
return True
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if not isinstance(frame, FrameHouseStatusMonitorEnableConfirmation):\n return False\n self.success = True\n return True\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if not isinstance(frame, FrameHouseStatusMonitorDisableConfirmation):
return False
self.success = True
return True
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if not isinstance(frame, FrameHouseStatusMonitorDisableConfirmation):\n return False\n self.success = True\n return True\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
def x(bmstring):
try:
argvalue = bitmath.parse_string(bmstring)
except ValueError:
raise argparse.ArgumentTypeError(
"'%s' can not be parsed into a valid bitmath object" % bmstring)
else:
return argvalue
|
BitmathType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bmstring):\n try:\n argvalue = bitmath.parse_string(bmstring)\n except ValueError:\n raise argparse.ArgumentTypeError(\n \"'%s' can not be parsed into a valid bitmath object\" % bmstring)\n else:\n return argvalue\n",
"role": "user"
},
{
"content": "BitmathType",
"role": "assistant"
}
] |
def x(self, pbar):
if pbar.seconds_elapsed < 2e-06 or pbar.currval < 2e-06:
scaled = bitmath.Byte()
else:
speed = pbar.currval / pbar.seconds_elapsed
scaled = bitmath.Byte(speed).best_prefix(system=self.system)
return scaled.format(self.format)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pbar):\n if pbar.seconds_elapsed < 2e-06 or pbar.currval < 2e-06:\n scaled = bitmath.Byte()\n else:\n speed = pbar.currval / pbar.seconds_elapsed\n scaled = bitmath.Byte(speed).best_prefix(system=self.system)\n return scaled.format(self.format)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if isinstance(frame, FrameCommandSendConfirmation
) and frame.session_id == self.session_id:
if frame.status == CommandSendConfirmationStatus.ACCEPTED:
self.success = True
return not self.wait_for_completion
if isinstance(frame, FrameCommandRemainingTimeNotification
) and frame.session_id == self.session_id:
return False
if isinstance(frame, FrameCommandRunStatusNotification
) and frame.session_id == self.session_id:
return False
if isinstance(frame, FrameSessionFinishedNotification
) and frame.session_id == self.session_id:
return True
return False
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if isinstance(frame, FrameCommandSendConfirmation\n ) and frame.session_id == self.session_id:\n if frame.status == CommandSendConfirmationStatus.ACCEPTED:\n self.success = True\n return not self.wait_for_completion\n if isinstance(frame, FrameCommandRemainingTimeNotification\n ) and frame.session_id == self.session_id:\n return False\n if isinstance(frame, FrameCommandRunStatusNotification\n ) and frame.session_id == self.session_id:\n return False\n if isinstance(frame, FrameSessionFinishedNotification\n ) and frame.session_id == self.session_id:\n return True\n return False\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
def x(self):
self.session_id = get_new_session_id()
return FrameCommandSendRequest(node_ids=[self.node_id], parameter=self.
parameter, session_id=self.session_id)
|
request_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.session_id = get_new_session_id()\n return FrameCommandSendRequest(node_ids=[self.node_id], parameter=self.\n parameter, session_id=self.session_id)\n",
"role": "user"
},
{
"content": "request_frame",
"role": "assistant"
}
] |
def x(self, path):
PYVLXLOG.info('Reading config file: %s', path)
try:
with open(path, 'r') as filehandle:
doc = yaml.safe_load(filehandle)
self.test_configuration(doc, path)
self.host = doc['config']['host']
self.password = doc['config']['password']
if 'port' in doc['config']:
self.port = doc['config']['port']
except FileNotFoundError as ex:
raise PyVLXException('file does not exist: {0}'.format(ex))
|
read_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n PYVLXLOG.info('Reading config file: %s', path)\n try:\n with open(path, 'r') as filehandle:\n doc = yaml.safe_load(filehandle)\n self.test_configuration(doc, path)\n self.host = doc['config']['host']\n self.password = doc['config']['password']\n if 'port' in doc['config']:\n self.port = doc['config']['port']\n except FileNotFoundError as ex:\n raise PyVLXException('file does not exist: {0}'.format(ex))\n",
"role": "user"
},
{
"content": "read_config",
"role": "assistant"
}
] |
def x():
if sys.version_info[0] == 2:
logging.getLogger(__name__).debug('setting up SIP API to version 2')
import sip
try:
sip.setapi('QString', 2)
sip.setapi('QVariant', 2)
except ValueError:
logging.getLogger(__name__).critical(
'failed to set up sip api to version 2 for PyQt4')
raise ImportError('PyQt4')
|
setup_apiv2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if sys.version_info[0] == 2:\n logging.getLogger(__name__).debug('setting up SIP API to version 2')\n import sip\n try:\n sip.setapi('QString', 2)\n sip.setapi('QVariant', 2)\n except ValueError:\n logging.getLogger(__name__).critical(\n 'failed to set up sip api to version 2 for PyQt4')\n raise ImportError('PyQt4')\n",
"role": "user"
},
{
"content": "setup_apiv2",
"role": "assistant"
}
] |
def x():
logging.getLogger(__name__).debug('auto-detecting QT_API')
try:
logging.getLogger(__name__).debug('trying PyQt5')
import PyQt5
os.environ[QT_API] = PYQT5_API[0]
logging.getLogger(__name__).debug('imported PyQt5')
except ImportError:
try:
logging.getLogger(__name__).debug('trying PyQt4')
setup_apiv2()
import PyQt4
os.environ[QT_API] = PYQT4_API[0]
logging.getLogger(__name__).debug('imported PyQt4')
except ImportError:
try:
logging.getLogger(__name__).debug('trying PySide')
import PySide
os.environ[QT_API] = PYSIDE_API[0]
logging.getLogger(__name__).debug('imported PySide')
except ImportError:
raise PythonQtError('No Qt bindings could be found')
|
autodetect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n logging.getLogger(__name__).debug('auto-detecting QT_API')\n try:\n logging.getLogger(__name__).debug('trying PyQt5')\n import PyQt5\n os.environ[QT_API] = PYQT5_API[0]\n logging.getLogger(__name__).debug('imported PyQt5')\n except ImportError:\n try:\n logging.getLogger(__name__).debug('trying PyQt4')\n setup_apiv2()\n import PyQt4\n os.environ[QT_API] = PYQT4_API[0]\n logging.getLogger(__name__).debug('imported PyQt4')\n except ImportError:\n try:\n logging.getLogger(__name__).debug('trying PySide')\n import PySide\n os.environ[QT_API] = PYSIDE_API[0]\n logging.getLogger(__name__).debug('imported PySide')\n except ImportError:\n raise PythonQtError('No Qt bindings could be found')\n",
"role": "user"
},
{
"content": "autodetect",
"role": "assistant"
}
] |
def x(cls, pyvlx, item):
name = item['name']
ident = item['id']
subtype = item['subtype']
typeid = item['typeId']
return cls(pyvlx, ident, name, subtype, typeid)
|
from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pyvlx, item):\n name = item['name']\n ident = item['id']\n subtype = item['subtype']\n typeid = item['typeId']\n return cls(pyvlx, ident, name, subtype, typeid)\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
async def handle_frame(self, frame):
"""Handle incoming API frame, return True if this was the expected frame."""
if isinstance(frame, FrameGetSceneListConfirmation):
self.count_scenes = frame.count_scenes
if self.count_scenes == 0:
self.success = True
return True
return False
if isinstance(frame, FrameGetSceneListNotification):
self.scenes.extend(frame.scenes)
if frame.remaining_scenes != 0:
return False
if self.count_scenes != len(self.scenes):
PYVLXLOG.warning(
'Warning: number of received scenes does not match expected number'
)
self.success = True
return True
return False
|
handle_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def handle_frame(self, frame):\n \"\"\"Handle incoming API frame, return True if this was the expected frame.\"\"\"\n if isinstance(frame, FrameGetSceneListConfirmation):\n self.count_scenes = frame.count_scenes\n if self.count_scenes == 0:\n self.success = True\n return True\n return False\n if isinstance(frame, FrameGetSceneListNotification):\n self.scenes.extend(frame.scenes)\n if frame.remaining_scenes != 0:\n return False\n if self.count_scenes != len(self.scenes):\n PYVLXLOG.warning(\n 'Warning: number of received scenes does not match expected number'\n )\n self.success = True\n return True\n return False\n",
"role": "user"
},
{
"content": "handle_frame",
"role": "assistant"
}
] |
def x(self):
ret = bytes([len(self.scenes)])
for number, name in self.scenes:
ret += bytes([number])
ret += string_to_bytes(name, 64)
ret += bytes([self.remaining_scenes])
return ret
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = bytes([len(self.scenes)])\n for number, name in self.scenes:\n ret += bytes([number])\n ret += string_to_bytes(name, 64)\n ret += bytes([self.remaining_scenes])\n return ret\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(self, payload):
number_of_objects = payload[0]
self.remaining_scenes = payload[-1]
predicted_len = number_of_objects * 65 + 2
if len(payload) != predicted_len:
raise PyVLXException('scene_list_notification_wrong_length')
self.scenes = []
for i in range(number_of_objects):
scene = payload[i * 65 + 1:i * 65 + 66]
number = scene[0]
name = bytes_to_string(scene[1:])
self.scenes.append((number, name))
|
from_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n number_of_objects = payload[0]\n self.remaining_scenes = payload[-1]\n predicted_len = number_of_objects * 65 + 2\n if len(payload) != predicted_len:\n raise PyVLXException('scene_list_notification_wrong_length')\n self.scenes = []\n for i in range(number_of_objects):\n scene = payload[i * 65 + 1:i * 65 + 66]\n number = scene[0]\n name = bytes_to_string(scene[1:])\n self.scenes.append((number, name))\n",
"role": "user"
},
{
"content": "from_payload",
"role": "assistant"
}
] |
def x(filename, encoding='binary', cache=True, show_progress=True, **kwargs):
with get_readable_fileobj(filename, encoding=encoding, cache=cache,
show_progress=show_progress) as fd:
header, wavelengths, fluxes = read_spec(fd, fname=filename, **kwargs)
return header, wavelengths, fluxes
|
read_remote_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, encoding='binary', cache=True, show_progress=True, **kwargs):\n with get_readable_fileobj(filename, encoding=encoding, cache=cache,\n show_progress=show_progress) as fd:\n header, wavelengths, fluxes = read_spec(fd, fname=filename, **kwargs)\n return header, wavelengths, fluxes\n",
"role": "user"
},
{
"content": "read_remote_spec",
"role": "assistant"
}
] |
def x(filename, fname='', **kwargs):
if isinstance(filename, str):
fname = filename
elif not fname:
raise exceptions.SynphotError('Cannot determine filename.')
if fname.endswith('fits') or fname.endswith('fit'):
read_func = read_fits_spec
else:
read_func = read_ascii_spec
return read_func(filename, **kwargs)
|
read_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, fname='', **kwargs):\n if isinstance(filename, str):\n fname = filename\n elif not fname:\n raise exceptions.SynphotError('Cannot determine filename.')\n if fname.endswith('fits') or fname.endswith('fit'):\n read_func = read_fits_spec\n else:\n read_func = read_ascii_spec\n return read_func(filename, **kwargs)\n",
"role": "user"
},
{
"content": "read_spec",
"role": "assistant"
}
] |
def x(filename, wave_unit=u.AA, flux_unit=units.FLAM, **kwargs):
header = {}
dat = ascii.read(filename, **kwargs)
wave_unit = units.validate_unit(wave_unit)
flux_unit = units.validate_unit(flux_unit)
wavelengths = dat.columns[0].data.astype(np.float64) * wave_unit
fluxes = dat.columns[1].data.astype(np.float64) * flux_unit
return header, wavelengths, fluxes
|
read_ascii_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, wave_unit=u.AA, flux_unit=units.FLAM, **kwargs):\n header = {}\n dat = ascii.read(filename, **kwargs)\n wave_unit = units.validate_unit(wave_unit)\n flux_unit = units.validate_unit(flux_unit)\n wavelengths = dat.columns[0].data.astype(np.float64) * wave_unit\n fluxes = dat.columns[1].data.astype(np.float64) * flux_unit\n return header, wavelengths, fluxes\n",
"role": "user"
},
{
"content": "read_ascii_spec",
"role": "assistant"
}
] |
def x(filename, ext=1, wave_col='WAVELENGTH', flux_col='FLUX', wave_unit=u.
AA, flux_unit=units.FLAM):
fs = fits.open(filename)
header = dict(fs[str('PRIMARY')].header)
wave_dat = fs[ext].data.field(wave_col).copy()
flux_dat = fs[ext].data.field(flux_col).copy()
fits_wave_unit = fs[ext].header.get('TUNIT1')
fits_flux_unit = fs[ext].header.get('TUNIT2')
if fits_wave_unit is not None:
try:
wave_unit = units.validate_unit(fits_wave_unit)
except (exceptions.SynphotError, ValueError) as e:
warnings.warn(
'{0} from FITS header is not valid wavelength unit, using {1}: {2}'
.format(fits_wave_unit, wave_unit, e), AstropyUserWarning)
if fits_flux_unit is not None:
try:
flux_unit = units.validate_unit(fits_flux_unit)
except (exceptions.SynphotError, ValueError) as e:
warnings.warn(
'{0} from FITS header is not valid flux unit, using {1}: {2}'
.format(fits_flux_unit, flux_unit, e), AstropyUserWarning)
wave_unit = units.validate_unit(wave_unit)
flux_unit = units.validate_unit(flux_unit)
wavelengths = wave_dat * wave_unit
fluxes = flux_dat * flux_unit
if isinstance(filename, str):
fs.close()
return header, wavelengths, fluxes
|
read_fits_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, ext=1, wave_col='WAVELENGTH', flux_col='FLUX', wave_unit=u.\n AA, flux_unit=units.FLAM):\n fs = fits.open(filename)\n header = dict(fs[str('PRIMARY')].header)\n wave_dat = fs[ext].data.field(wave_col).copy()\n flux_dat = fs[ext].data.field(flux_col).copy()\n fits_wave_unit = fs[ext].header.get('TUNIT1')\n fits_flux_unit = fs[ext].header.get('TUNIT2')\n if fits_wave_unit is not None:\n try:\n wave_unit = units.validate_unit(fits_wave_unit)\n except (exceptions.SynphotError, ValueError) as e:\n warnings.warn(\n '{0} from FITS header is not valid wavelength unit, using {1}: {2}'\n .format(fits_wave_unit, wave_unit, e), AstropyUserWarning)\n if fits_flux_unit is not None:\n try:\n flux_unit = units.validate_unit(fits_flux_unit)\n except (exceptions.SynphotError, ValueError) as e:\n warnings.warn(\n '{0} from FITS header is not valid flux unit, using {1}: {2}'\n .format(fits_flux_unit, flux_unit, e), AstropyUserWarning)\n wave_unit = units.validate_unit(wave_unit)\n flux_unit = units.validate_unit(flux_unit)\n wavelengths = wave_dat * wave_unit\n fluxes = flux_dat * flux_unit\n if isinstance(filename, str):\n fs.close()\n return header, wavelengths, fluxes\n",
"role": "user"
},
{
"content": "read_fits_spec",
"role": "assistant"
}
] |
def x(filename, wavelengths, fluxes, pri_header={}, ext_header={},
overwrite=False, trim_zero=True, pad_zero_ends=True, precision=None,
epsilon=0.00032, wave_col='WAVELENGTH', flux_col='FLUX', wave_unit=u.AA,
flux_unit=units.FLAM):
if isinstance(wavelengths, u.Quantity):
wave_unit = wavelengths.unit
wave_value = wavelengths.value
else:
wave_value = wavelengths
if isinstance(fluxes, u.Quantity):
flux_unit = fluxes.unit
flux_value = fluxes.value
else:
flux_value = fluxes
wave_unit = units.validate_unit(wave_unit).to_string().upper()
flux_unit = units.validate_unit(flux_unit).to_string().upper()
if wave_value.shape != flux_value.shape:
raise exceptions.SynphotError(
'Wavelengths have shape {0} but fluxes have shape {1}'.format(
wave_value.shape, flux_value.shape))
if trim_zero:
idx = np.where(flux_value != 0)
wave_value = wave_value[idx]
flux_value = flux_value[idx]
n_thrown = wave_value.size - len(idx[0])
if n_thrown != 0:
log.info('{0} zero-flux rows are thrown out'.format(n_thrown))
pcodes = {'d': 'D', 'f': 'E'}
if precision is None:
precision = flux_value.dtype.char
if precision not in pcodes:
raise exceptions.SynphotError('flux is not float32 or float64')
else:
precision = precision.lower()
if precision == 'single':
precision = 'f'
elif precision == 'double':
precision = 'd'
else:
raise exceptions.SynphotError('precision must be single or double')
wave_precision = wave_value.dtype.char
if wave_precision not in pcodes:
raise exceptions.SynphotError('wavelength is not float32 or float64')
if wave_precision == 'd' and precision == 'f':
orig_size = wave_value.size
idx = np.where(np.abs(wave_value[1:] - wave_value[:-1]) > epsilon)
wave_value = np.append(wave_value[idx], wave_value[-1])
flux_value = np.append(flux_value[idx], flux_value[-1])
n_thrown = orig_size - wave_value.size
if n_thrown != 0:
warnings.warn(
'{0} rows are thrown out in converting wavelengths from double- to single-precision'
.format(n_thrown), AstropyUserWarning)
if pad_zero_ends:
w1 = wave_value[0] ** 2 / wave_value[1]
w2 = wave_value[-1] ** 2 / wave_value[-2]
wave_value = np.insert(wave_value, [0, wave_value.size], [w1, w2])
flux_value = np.insert(flux_value, [0, flux_value.size], [0.0, 0.0])
cw = fits.Column(name=wave_col, array=wave_value, unit=wave_unit,
format=pcodes[precision])
cf = fits.Column(name=flux_col, array=flux_value, unit=flux_unit,
format=pcodes[precision])
hdr_hdu = fits.PrimaryHDU()
hdr_hdu.header['filename'] = os.path.basename(filename), 'name of file'
hdr_hdu.header['origin'] = 'synphot', 'Version {0}'.format(__version__)
for key, val in pri_header.items():
hdr_hdu.header[key] = val
tab_hdu = fits.BinTableHDU.from_columns(fits.ColDefs([cw, cf]))
for key, val in ext_header.items():
tab_hdu.header[key] = val
hdulist = fits.HDUList([hdr_hdu])
hdulist.append(tab_hdu)
hdulist.writeto(filename, overwrite=overwrite)
|
write_fits_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, wavelengths, fluxes, pri_header={}, ext_header={},\n overwrite=False, trim_zero=True, pad_zero_ends=True, precision=None,\n epsilon=0.00032, wave_col='WAVELENGTH', flux_col='FLUX', wave_unit=u.AA,\n flux_unit=units.FLAM):\n if isinstance(wavelengths, u.Quantity):\n wave_unit = wavelengths.unit\n wave_value = wavelengths.value\n else:\n wave_value = wavelengths\n if isinstance(fluxes, u.Quantity):\n flux_unit = fluxes.unit\n flux_value = fluxes.value\n else:\n flux_value = fluxes\n wave_unit = units.validate_unit(wave_unit).to_string().upper()\n flux_unit = units.validate_unit(flux_unit).to_string().upper()\n if wave_value.shape != flux_value.shape:\n raise exceptions.SynphotError(\n 'Wavelengths have shape {0} but fluxes have shape {1}'.format(\n wave_value.shape, flux_value.shape))\n if trim_zero:\n idx = np.where(flux_value != 0)\n wave_value = wave_value[idx]\n flux_value = flux_value[idx]\n n_thrown = wave_value.size - len(idx[0])\n if n_thrown != 0:\n log.info('{0} zero-flux rows are thrown out'.format(n_thrown))\n pcodes = {'d': 'D', 'f': 'E'}\n if precision is None:\n precision = flux_value.dtype.char\n if precision not in pcodes:\n raise exceptions.SynphotError('flux is not float32 or float64')\n else:\n precision = precision.lower()\n if precision == 'single':\n precision = 'f'\n elif precision == 'double':\n precision = 'd'\n else:\n raise exceptions.SynphotError('precision must be single or double')\n wave_precision = wave_value.dtype.char\n if wave_precision not in pcodes:\n raise exceptions.SynphotError('wavelength is not float32 or float64')\n if wave_precision == 'd' and precision == 'f':\n orig_size = wave_value.size\n idx = np.where(np.abs(wave_value[1:] - wave_value[:-1]) > epsilon)\n wave_value = np.append(wave_value[idx], wave_value[-1])\n flux_value = np.append(flux_value[idx], flux_value[-1])\n n_thrown = orig_size - wave_value.size\n if n_thrown != 0:\n warnings.warn(\n '{0} rows are thrown out in converting wavelengths from double- to single-precision'\n .format(n_thrown), AstropyUserWarning)\n if pad_zero_ends:\n w1 = wave_value[0] ** 2 / wave_value[1]\n w2 = wave_value[-1] ** 2 / wave_value[-2]\n wave_value = np.insert(wave_value, [0, wave_value.size], [w1, w2])\n flux_value = np.insert(flux_value, [0, flux_value.size], [0.0, 0.0])\n cw = fits.Column(name=wave_col, array=wave_value, unit=wave_unit,\n format=pcodes[precision])\n cf = fits.Column(name=flux_col, array=flux_value, unit=flux_unit,\n format=pcodes[precision])\n hdr_hdu = fits.PrimaryHDU()\n hdr_hdu.header['filename'] = os.path.basename(filename), 'name of file'\n hdr_hdu.header['origin'] = 'synphot', 'Version {0}'.format(__version__)\n for key, val in pri_header.items():\n hdr_hdu.header[key] = val\n tab_hdu = fits.BinTableHDU.from_columns(fits.ColDefs([cw, cf]))\n for key, val in ext_header.items():\n tab_hdu.header[key] = val\n hdulist = fits.HDUList([hdr_hdu])\n hdulist.append(tab_hdu)\n hdulist.writeto(filename, overwrite=overwrite)\n",
"role": "user"
},
{
"content": "write_fits_spec",
"role": "assistant"
}
] |
def x(wav, vegaflux):
vega_photlam = vegaflux.to(PHOTLAM, equivalencies=u.spectral_density(wav)
).value
def x(x):
val = -2.5 * np.log10(x / vega_photlam)
result = np.zeros(val.shape, dtype=np.float64) - 99
mask = np.isfinite(val)
if result.ndim > 0:
result[mask] = val[mask]
elif mask:
result = np.asarray(val)
return result
def x(x):
return vega_photlam * 10 ** (-0.4 * x)
return [(PHOTLAM, VEGAMAG, converter, iconverter)]
|
spectral_density_vega
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wav, vegaflux):\n vega_photlam = vegaflux.to(PHOTLAM, equivalencies=u.spectral_density(wav)\n ).value\n\n def x(x):\n val = -2.5 * np.log10(x / vega_photlam)\n result = np.zeros(val.shape, dtype=np.float64) - 99\n mask = np.isfinite(val)\n if result.ndim > 0:\n result[mask] = val[mask]\n elif mask:\n result = np.asarray(val)\n return result\n\n def x(x):\n return vega_photlam * 10 ** (-0.4 * x)\n return [(PHOTLAM, VEGAMAG, converter, iconverter)]\n",
"role": "user"
},
{
"content": "spectral_density_vega",
"role": "assistant"
}
] |
def x(wav, area):
from .binning import calculate_bin_widths, calculate_bin_edges
wav = wav.to(u.AA, equivalencies=u.spectral())
area = area.to(AREA)
bin_widths = calculate_bin_widths(calculate_bin_edges(wav))
factor = bin_widths.value * area.value
def x(x):
return x * factor
def x(x):
return x / factor
def x(x):
return -2.5 * np.log10(x * factor)
def x(x):
return 10 ** (-0.4 * x) / factor
return [(PHOTLAM, u.count, converter_count, iconverter_count), (PHOTLAM,
OBMAG, converter_obmag, iconverter_obmag)]
|
spectral_density_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wav, area):\n from .binning import calculate_bin_widths, calculate_bin_edges\n wav = wav.to(u.AA, equivalencies=u.spectral())\n area = area.to(AREA)\n bin_widths = calculate_bin_widths(calculate_bin_edges(wav))\n factor = bin_widths.value * area.value\n\n def x(x):\n return x * factor\n\n def x(x):\n return x / factor\n\n def x(x):\n return -2.5 * np.log10(x * factor)\n\n def x(x):\n return 10 ** (-0.4 * x) / factor\n return [(PHOTLAM, u.count, converter_count, iconverter_count), (PHOTLAM,\n OBMAG, converter_obmag, iconverter_obmag)]\n",
"role": "user"
},
{
"content": "spectral_density_count",
"role": "assistant"
}
] |
def x(wavelengths, fluxes, out_flux_unit, **kwargs):
if not isinstance(fluxes, u.Quantity):
fluxes = fluxes * PHOTLAM
out_flux_unit = validate_unit(out_flux_unit)
out_flux_unit_name = out_flux_unit.to_string()
in_flux_unit_name = fluxes.unit.to_string()
if in_flux_unit_name == out_flux_unit_name:
return fluxes
in_flux_type = fluxes.unit.physical_type
out_flux_type = out_flux_unit.physical_type
if not isinstance(wavelengths, u.Quantity):
wavelengths = wavelengths * u.AA
eqv = u.spectral_density(wavelengths)
try:
out_flux = fluxes.to(out_flux_unit, eqv)
except u.UnitConversionError:
if fluxes.unit == PHOTLAM:
flux_photlam = fluxes
elif in_flux_type != 'unknown':
flux_photlam = fluxes.to(PHOTLAM, eqv)
else:
flux_photlam = _convert_flux(wavelengths, fluxes, PHOTLAM, **kwargs
)
if out_flux_unit == PHOTLAM:
out_flux = flux_photlam
elif out_flux_type != 'unknown':
out_flux = flux_photlam.to(out_flux_unit, eqv)
else:
out_flux = _convert_flux(wavelengths, flux_photlam,
out_flux_unit, **kwargs)
return out_flux
|
convert_flux
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wavelengths, fluxes, out_flux_unit, **kwargs):\n if not isinstance(fluxes, u.Quantity):\n fluxes = fluxes * PHOTLAM\n out_flux_unit = validate_unit(out_flux_unit)\n out_flux_unit_name = out_flux_unit.to_string()\n in_flux_unit_name = fluxes.unit.to_string()\n if in_flux_unit_name == out_flux_unit_name:\n return fluxes\n in_flux_type = fluxes.unit.physical_type\n out_flux_type = out_flux_unit.physical_type\n if not isinstance(wavelengths, u.Quantity):\n wavelengths = wavelengths * u.AA\n eqv = u.spectral_density(wavelengths)\n try:\n out_flux = fluxes.to(out_flux_unit, eqv)\n except u.UnitConversionError:\n if fluxes.unit == PHOTLAM:\n flux_photlam = fluxes\n elif in_flux_type != 'unknown':\n flux_photlam = fluxes.to(PHOTLAM, eqv)\n else:\n flux_photlam = _convert_flux(wavelengths, fluxes, PHOTLAM, **kwargs\n )\n if out_flux_unit == PHOTLAM:\n out_flux = flux_photlam\n elif out_flux_type != 'unknown':\n out_flux = flux_photlam.to(out_flux_unit, eqv)\n else:\n out_flux = _convert_flux(wavelengths, flux_photlam,\n out_flux_unit, **kwargs)\n return out_flux\n",
"role": "user"
},
{
"content": "convert_flux",
"role": "assistant"
}
] |
def x(wavelengths, fluxes, out_flux_unit, area=None, vegaspec=None):
flux_unit_names = fluxes.unit.to_string(), out_flux_unit.to_string()
if PHOTLAM.to_string() not in flux_unit_names:
raise exceptions.SynphotError(
'PHOTLAM must be one of the conversion units but get {0}.'.
format(flux_unit_names))
if VEGAMAG.to_string() in flux_unit_names:
from .spectrum import SourceSpectrum
if not isinstance(vegaspec, SourceSpectrum):
raise exceptions.SynphotError('Vega spectrum is missing.')
flux_vega = vegaspec(wavelengths)
out_flux = fluxes.to(out_flux_unit, equivalencies=
spectral_density_vega(wavelengths, flux_vega))
elif u.count in (fluxes.unit, out_flux_unit) or OBMAG.to_string(
) in flux_unit_names:
if area is None:
raise exceptions.SynphotError(
'Area is compulsory for conversion involving count or OBMAG.')
elif not isinstance(area, u.Quantity):
area = area * AREA
out_flux = fluxes.to(out_flux_unit, equivalencies=
spectral_density_count(wavelengths, area))
else:
raise u.UnitsError('{0} and {1} are not convertible'.format(fluxes.
unit, out_flux_unit))
return out_flux
|
convert_flux
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wavelengths, fluxes, out_flux_unit, area=None, vegaspec=None):\n flux_unit_names = fluxes.unit.to_string(), out_flux_unit.to_string()\n if PHOTLAM.to_string() not in flux_unit_names:\n raise exceptions.SynphotError(\n 'PHOTLAM must be one of the conversion units but get {0}.'.\n format(flux_unit_names))\n if VEGAMAG.to_string() in flux_unit_names:\n from .spectrum import SourceSpectrum\n if not isinstance(vegaspec, SourceSpectrum):\n raise exceptions.SynphotError('Vega spectrum is missing.')\n flux_vega = vegaspec(wavelengths)\n out_flux = fluxes.to(out_flux_unit, equivalencies=\n spectral_density_vega(wavelengths, flux_vega))\n elif u.count in (fluxes.unit, out_flux_unit) or OBMAG.to_string(\n ) in flux_unit_names:\n if area is None:\n raise exceptions.SynphotError(\n 'Area is compulsory for conversion involving count or OBMAG.')\n elif not isinstance(area, u.Quantity):\n area = area * AREA\n out_flux = fluxes.to(out_flux_unit, equivalencies=\n spectral_density_count(wavelengths, area))\n else:\n raise u.UnitsError('{0} and {1} are not convertible'.format(fluxes.\n unit, out_flux_unit))\n return out_flux\n",
"role": "user"
},
{
"content": "convert_flux",
"role": "assistant"
}
] |
def x(input_unit):
if isinstance(input_unit, str):
input_unit_lowcase = input_unit.lower()
if input_unit_lowcase == 'angstroms':
output_unit = u.AA
elif input_unit_lowcase == 'inversemicrons':
output_unit = u.micron ** -1
elif input_unit_lowcase in ('transmission', 'extinction', 'emissivity'
):
output_unit = THROUGHPUT
elif input_unit_lowcase == 'jy':
output_unit = u.Jy
elif input_unit_lowcase in ('stmag', 'mag(st)'):
output_unit = u.STmag
elif input_unit_lowcase in ('abmag', 'mag(ab)'):
output_unit = u.ABmag
else:
try:
output_unit = u.Unit(input_unit)
except ValueError:
output_unit = u.Unit(input_unit_lowcase)
elif isinstance(input_unit, (u.UnitBase, u.LogUnit)):
output_unit = input_unit
else:
raise exceptions.SynphotError(
'{0} must be a recognized string or astropy.units.core.Unit'.
format(input_unit))
return output_unit
|
validate_unit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_unit):\n if isinstance(input_unit, str):\n input_unit_lowcase = input_unit.lower()\n if input_unit_lowcase == 'angstroms':\n output_unit = u.AA\n elif input_unit_lowcase == 'inversemicrons':\n output_unit = u.micron ** -1\n elif input_unit_lowcase in ('transmission', 'extinction', 'emissivity'\n ):\n output_unit = THROUGHPUT\n elif input_unit_lowcase == 'jy':\n output_unit = u.Jy\n elif input_unit_lowcase in ('stmag', 'mag(st)'):\n output_unit = u.STmag\n elif input_unit_lowcase in ('abmag', 'mag(ab)'):\n output_unit = u.ABmag\n else:\n try:\n output_unit = u.Unit(input_unit)\n except ValueError:\n output_unit = u.Unit(input_unit_lowcase)\n elif isinstance(input_unit, (u.UnitBase, u.LogUnit)):\n output_unit = input_unit\n else:\n raise exceptions.SynphotError(\n '{0} must be a recognized string or astropy.units.core.Unit'.\n format(input_unit))\n return output_unit\n",
"role": "user"
},
{
"content": "validate_unit",
"role": "assistant"
}
] |
def x(wave_unit):
output_unit = validate_unit(wave_unit)
unit_type = output_unit.physical_type
if unit_type not in ('length', 'wavenumber', 'frequency'):
raise exceptions.SynphotError(
'wavelength physical type is not length, wave number, or frequency: {0}'
.format(unit_type))
return output_unit
|
validate_wave_unit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wave_unit):\n output_unit = validate_unit(wave_unit)\n unit_type = output_unit.physical_type\n if unit_type not in ('length', 'wavenumber', 'frequency'):\n raise exceptions.SynphotError(\n 'wavelength physical type is not length, wave number, or frequency: {0}'\n .format(unit_type))\n return output_unit\n",
"role": "user"
},
{
"content": "validate_wave_unit",
"role": "assistant"
}
] |
def x(input_value, output_unit, equivalencies=[]):
output_unit = validate_unit(output_unit)
if isinstance(input_value, u.Quantity):
output_value = input_value.to(output_unit, equivalencies=equivalencies)
else:
output_value = input_value * output_unit
return output_value
|
validate_quantity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_value, output_unit, equivalencies=[]):\n output_unit = validate_unit(output_unit)\n if isinstance(input_value, u.Quantity):\n output_value = input_value.to(output_unit, equivalencies=equivalencies)\n else:\n output_value = input_value * output_unit\n return output_value\n",
"role": "user"
},
{
"content": "validate_quantity",
"role": "assistant"
}
] |
def x(self, device):
if not isinstance(device, Device):
raise TypeError()
self.__devices.append(device)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device):\n if not isinstance(device, Device):\n raise TypeError()\n self.__devices.append(device)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, json_response):
if 'data' not in json_response:
raise PyVLXException('no element data found: {0}'.format(json.dumps
(json_response)))
data = json_response['data']
for item in data:
if 'category' not in item:
raise PyVLXException('no element category: {0}'.format(json.
dumps(item)))
category = item['category']
if category == 'Window opener':
self.load_window_opener(item)
elif category in ['Roller shutter', 'Dual Shutter']:
self.load_roller_shutter(item)
elif category in ['Blind']:
self.load_blind(item)
else:
self.pyvlx.logger.warning('WARNING: Could not parse product: %s',
category)
|
data_import
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json_response):\n if 'data' not in json_response:\n raise PyVLXException('no element data found: {0}'.format(json.dumps\n (json_response)))\n data = json_response['data']\n for item in data:\n if 'category' not in item:\n raise PyVLXException('no element category: {0}'.format(json.\n dumps(item)))\n category = item['category']\n if category == 'Window opener':\n self.load_window_opener(item)\n elif category in ['Roller shutter', 'Dual Shutter']:\n self.load_roller_shutter(item)\n elif category in ['Blind']:\n self.load_blind(item)\n else:\n self.pyvlx.logger.warning('WARNING: Could not parse product: %s',\n category)\n",
"role": "user"
},
{
"content": "data_import",
"role": "assistant"
}
] |
def x(self, item):
window = Window.from_config(self.pyvlx, item)
self.add(window)
|
load_window_opener
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n window = Window.from_config(self.pyvlx, item)\n self.add(window)\n",
"role": "user"
},
{
"content": "load_window_opener",
"role": "assistant"
}
] |
def x(self, item):
rollershutter = RollerShutter.from_config(self.pyvlx, item)
self.add(rollershutter)
|
load_roller_shutter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n rollershutter = RollerShutter.from_config(self.pyvlx, item)\n self.add(rollershutter)\n",
"role": "user"
},
{
"content": "load_roller_shutter",
"role": "assistant"
}
] |
def x(self, item):
blind = Blind.from_config(self.pyvlx, item)
self.add(blind)
|
load_blind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n blind = Blind.from_config(self.pyvlx, item)\n self.add(blind)\n",
"role": "user"
},
{
"content": "load_blind",
"role": "assistant"
}
] |
def x(fallback=(80, 24)):
for stream in [sys.__stdout__, sys.__stderr__, sys.__stdin__]:
try:
data = fcntl.ioctl(stream.fileno(), TIOCGWINSZ, b'\x00\x00\x00\x00'
)
except OSError:
pass
else:
lines, columns = struct.unpack('hh', data)
break
else:
columns, lines = fallback
return columns, lines
|
get_terminal_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fallback=(80, 24)):\n for stream in [sys.__stdout__, sys.__stderr__, sys.__stdin__]:\n try:\n data = fcntl.ioctl(stream.fileno(), TIOCGWINSZ, b'\\x00\\x00\\x00\\x00'\n )\n except OSError:\n pass\n else:\n lines, columns = struct.unpack('hh', data)\n break\n else:\n columns, lines = fallback\n return columns, lines\n",
"role": "user"
},
{
"content": "get_terminal_size",
"role": "assistant"
}
] |
def x(self):
files = tuple(self.files)
header, footer = (termcolor.colored('{0}\n{{}}\n{0}\n'.format(':' * 14),
'cyan'), '\n') if len(files) > 1 else ('', '')
for file in files:
print(header.format(file), end='')
try:
results = self._check(file)
except Error as e:
termcolor.cprint(e.msg, 'yellow', file=sys.stderr)
continue
if results.diffs:
print()
print(*self.diff(results.original, results.styled), sep='\n')
print()
conjunction = 'And'
else:
termcolor.cprint('Looks good!', 'green')
conjunction = 'But'
if results.diffs:
for type, c in sorted(self._warn_chars):
color, verb = ('on_green', 'insert') if type == '+' else (
'on_red', 'delete')
termcolor.cprint(c, None, color, end='')
termcolor.cprint(' means that you should {} a {}.'.format(
verb, 'newline' if c == '\\n' else 'tab'), 'yellow')
if results.comment_ratio < results.COMMENT_MIN:
termcolor.cprint('{} consider adding more comments!'.format(
conjunction), 'yellow')
if (results.comment_ratio < results.COMMENT_MIN or self._warn_chars
) and results.diffs:
print()
|
run_diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n files = tuple(self.files)\n header, footer = (termcolor.colored('{0}\\n{{}}\\n{0}\\n'.format(':' * 14),\n 'cyan'), '\\n') if len(files) > 1 else ('', '')\n for file in files:\n print(header.format(file), end='')\n try:\n results = self._check(file)\n except Error as e:\n termcolor.cprint(e.msg, 'yellow', file=sys.stderr)\n continue\n if results.diffs:\n print()\n print(*self.diff(results.original, results.styled), sep='\\n')\n print()\n conjunction = 'And'\n else:\n termcolor.cprint('Looks good!', 'green')\n conjunction = 'But'\n if results.diffs:\n for type, c in sorted(self._warn_chars):\n color, verb = ('on_green', 'insert') if type == '+' else (\n 'on_red', 'delete')\n termcolor.cprint(c, None, color, end='')\n termcolor.cprint(' means that you should {} a {}.'.format(\n verb, 'newline' if c == '\\\\n' else 'tab'), 'yellow')\n if results.comment_ratio < results.COMMENT_MIN:\n termcolor.cprint('{} consider adding more comments!'.format(\n conjunction), 'yellow')\n if (results.comment_ratio < results.COMMENT_MIN or self._warn_chars\n ) and results.diffs:\n print()\n",
"role": "user"
},
{
"content": "run_diff",
"role": "assistant"
}
] |
def x(self):
checks = {}
for file in self.files:
try:
results = self._check(file)
except Error as e:
checks[file] = {'error': e.msg}
else:
checks[file] = {'score': results.score, 'comments': results.
comment_ratio >= results.COMMENT_MIN, 'diff':
'<pre>{}</pre>'.format('\n'.join(self.html_diff(results.
original, results.styled)))}
json.dump(checks, sys.stdout, indent=4)
print()
|
run_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n checks = {}\n for file in self.files:\n try:\n results = self._check(file)\n except Error as e:\n checks[file] = {'error': e.msg}\n else:\n checks[file] = {'score': results.score, 'comments': results.\n comment_ratio >= results.COMMENT_MIN, 'diff':\n '<pre>{}</pre>'.format('\\n'.join(self.html_diff(results.\n original, results.styled)))}\n json.dump(checks, sys.stdout, indent=4)\n print()\n",
"role": "user"
},
{
"content": "run_json",
"role": "assistant"
}
] |
def x(self):
diffs = 0
lines = 0
for file in self.files:
try:
results = self._check(file)
except Error as e:
termcolor.cprint(e.msg, 'yellow', file=sys.stderr)
continue
diffs += results.diffs
lines += results.lines
try:
print(max(1 - diffs / lines, 0.0))
except ZeroDivisionError:
print(0.0)
|
run_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n diffs = 0\n lines = 0\n for file in self.files:\n try:\n results = self._check(file)\n except Error as e:\n termcolor.cprint(e.msg, 'yellow', file=sys.stderr)\n continue\n diffs += results.diffs\n lines += results.lines\n try:\n print(max(1 - diffs / lines, 0.0))\n except ZeroDivisionError:\n print(0.0)\n",
"role": "user"
},
{
"content": "run_score",
"role": "assistant"
}
] |
def x(self, file):
if not os.path.exists(file):
raise Error('file "{}" not found'.format(file))
_, extension = os.path.splitext(file)
try:
check = self.extension_map[extension[1:]]
except KeyError:
magic_type = magic.from_file(file)
for name, cls in self.magic_map.items():
if name in magic_type:
check = cls
break
else:
raise Error('unknown file type "{}", skipping...'.format(file))
try:
with open(file) as f:
code = '\n'.join(line.rstrip() for line in f)
except UnicodeDecodeError:
raise Error('file does not seem to contain text, skipping...')
try:
if code[-1] != '\n':
code += '\n'
except IndexError:
pass
return check(code)
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n if not os.path.exists(file):\n raise Error('file \"{}\" not found'.format(file))\n _, extension = os.path.splitext(file)\n try:\n check = self.extension_map[extension[1:]]\n except KeyError:\n magic_type = magic.from_file(file)\n for name, cls in self.magic_map.items():\n if name in magic_type:\n check = cls\n break\n else:\n raise Error('unknown file type \"{}\", skipping...'.format(file))\n try:\n with open(file) as f:\n code = '\\n'.join(line.rstrip() for line in f)\n except UnicodeDecodeError:\n raise Error('file does not seem to contain text, skipping...')\n try:\n if code[-1] != '\\n':\n code += '\\n'\n except IndexError:\n pass\n return check(code)\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(old, new):
return map(lambda l: l.rstrip(), icdiff.ConsoleDiff(cols=COLUMNS).
make_table(old.splitlines(), new.splitlines()))
|
split_diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old, new):\n return map(lambda l: l.rstrip(), icdiff.ConsoleDiff(cols=COLUMNS).\n make_table(old.splitlines(), new.splitlines()))\n",
"role": "user"
},
{
"content": "split_diff",
"role": "assistant"
}
] |
def x(old, new):
for diff in difflib.ndiff(old.splitlines(), new.splitlines()):
if diff[0] == ' ':
yield diff
elif diff[0] == '?':
continue
else:
yield termcolor.colored(diff, 'red' if diff[0] == '-' else
'green', attrs=['bold'])
|
unified
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old, new):\n for diff in difflib.ndiff(old.splitlines(), new.splitlines()):\n if diff[0] == ' ':\n yield diff\n elif diff[0] == '?':\n continue\n else:\n yield termcolor.colored(diff, 'red' if diff[0] == '-' else\n 'green', attrs=['bold'])\n",
"role": "user"
},
{
"content": "unified",
"role": "assistant"
}
] |
def x(self, old, new):
def x(old_type, new_type):
tags = []
for tag in [('/', old_type), ('', new_type)]:
if tag[1] not in ['+', '-']:
continue
tags.append('<{}{}>'.format(tag[0], 'ins' if tag[1] == '+' else
'del'))
return ''.join(tags)
return self._char_diff(old, new, html_transition, fmt=cgi.escape)
|
html_diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old, new):\n\n def x(old_type, new_type):\n tags = []\n for tag in [('/', old_type), ('', new_type)]:\n if tag[1] not in ['+', '-']:\n continue\n tags.append('<{}{}>'.format(tag[0], 'ins' if tag[1] == '+' else\n 'del'))\n return ''.join(tags)\n return self._char_diff(old, new, html_transition, fmt=cgi.escape)\n",
"role": "user"
},
{
"content": "html_diff",
"role": "assistant"
}
] |
def x(self, old, new):
def x(old_type, new_type):
new_color = termcolor.colored('', None, 'on_red' if new_type == '-'
else 'on_green' if new_type == '+' else None)
return '{}{}'.format(termcolor.RESET, new_color[:-len(termcolor.RESET)]
)
return self._char_diff(old, new, color_transition)
|
char_diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old, new):\n\n def x(old_type, new_type):\n new_color = termcolor.colored('', None, 'on_red' if new_type == '-'\n else 'on_green' if new_type == '+' else None)\n return '{}{}'.format(termcolor.RESET, new_color[:-len(termcolor.RESET)]\n )\n return self._char_diff(old, new, color_transition)\n",
"role": "user"
},
{
"content": "char_diff",
"role": "assistant"
}
] |
def x(self, old, new, transition, fmt=lambda c: c):
differ = difflib.ndiff(old, new)
dtype = None
line = []
while True:
d = next(differ, (None,))
if d[0] != dtype:
line += transition(dtype, d[0])
dtype = d[0]
if dtype is None:
break
if d[2] == '\n':
if dtype != ' ':
self._warn_chars.add((dtype, '\\n'))
line += [fmt('\\n'), transition(dtype, ' ')]
if dtype != '-':
yield ''.join(line)
line.clear()
line.append(transition(' ', dtype))
elif dtype != ' ' and d[2] == '\t':
line.append(fmt('\\t'))
self._warn_chars.add((dtype, '\\t'))
else:
line.append(fmt(d[2]))
last = ''.join(line)
if re.sub('\\x1b[^m]*m', '', last):
yield last
|
char_diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old, new, transition, fmt=lambda c: c):\n differ = difflib.ndiff(old, new)\n dtype = None\n line = []\n while True:\n d = next(differ, (None,))\n if d[0] != dtype:\n line += transition(dtype, d[0])\n dtype = d[0]\n if dtype is None:\n break\n if d[2] == '\\n':\n if dtype != ' ':\n self._warn_chars.add((dtype, '\\\\n'))\n line += [fmt('\\\\n'), transition(dtype, ' ')]\n if dtype != '-':\n yield ''.join(line)\n line.clear()\n line.append(transition(' ', dtype))\n elif dtype != ' ' and d[2] == '\\t':\n line.append(fmt('\\\\t'))\n self._warn_chars.add((dtype, '\\\\t'))\n else:\n line.append(fmt(d[2]))\n last = ''.join(line)\n if re.sub('\\\\x1b[^m]*m', '', last):\n yield last\n",
"role": "user"
},
{
"content": "char_diff",
"role": "assistant"
}
] |
def x(self, code):
return sum(bool(line.strip()) for line in code.splitlines())
|
count_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code):\n return sum(bool(line.strip()) for line in code.splitlines())\n",
"role": "user"
},
{
"content": "count_lines",
"role": "assistant"
}
] |
def x(command, input=None, exit=0, shell=False):
if isinstance(input, str):
input = input.encode()
stdin = {} if input is None else {'stdin': subprocess.PIPE}
try:
child = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=
subprocess.PIPE, **stdin)
except FileNotFoundError as e:
name = command.split(' ', 1)[0] if isinstance(command, str
) else command[0]
raise DependencyError(name)
stdout, _ = child.communicate(input=input)
if exit is not None and child.returncode != exit:
raise Error('failed to stylecheck code')
return stdout.decode()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, input=None, exit=0, shell=False):\n if isinstance(input, str):\n input = input.encode()\n stdin = {} if input is None else {'stdin': subprocess.PIPE}\n try:\n child = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=\n subprocess.PIPE, **stdin)\n except FileNotFoundError as e:\n name = command.split(' ', 1)[0] if isinstance(command, str\n ) else command[0]\n raise DependencyError(name)\n stdout, _ = child.communicate(input=input)\n if exit is not None and child.returncode != exit:\n raise Error('failed to stylecheck code')\n return stdout.decode()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(raw):
command, payload = extract_from_frame(raw)
frame = create_frame(command)
if frame is None:
PYVLXLOG.warning('Command %s not implemented, raw: %s', command,
':'.join('{:02x}'.format(c) for c in raw))
return None
frame.validate_payload_len(payload)
frame.from_payload(payload)
return frame
|
frame_from_raw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n command, payload = extract_from_frame(raw)\n frame = create_frame(command)\n if frame is None:\n PYVLXLOG.warning('Command %s not implemented, raw: %s', command,\n ':'.join('{:02x}'.format(c) for c in raw))\n return None\n frame.validate_payload_len(payload)\n frame.from_payload(payload)\n return frame\n",
"role": "user"
},
{
"content": "frame_from_raw",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.