source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(item_a, time_a, item_b, time_b, max_value):
return np.minimum(1 - item_a.count_overlap(time_a, item_b, time_b),
max_value) / float(max_value)
|
nonoverlap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, time_a, item_b, time_b, max_value):\n return np.minimum(1 - item_a.count_overlap(time_a, item_b, time_b),\n max_value) / float(max_value)\n",
"role": "user"
},
{
"content": "nonoverlap",
"role": "assistant"
}
] |
def x(item_a, time_a, item_b, time_b, max_value):
intensity_a = item_a.max_intensity(time_a)
intensity_b = item_b.max_intensity(time_b)
diff = np.sqrt((intensity_a - intensity_b) ** 2)
return np.minimum(diff, max_value) / float(max_value)
|
max_intensity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, time_a, item_b, time_b, max_value):\n intensity_a = item_a.max_intensity(time_a)\n intensity_b = item_b.max_intensity(time_b)\n diff = np.sqrt((intensity_a - intensity_b) ** 2)\n return np.minimum(diff, max_value) / float(max_value)\n",
"role": "user"
},
{
"content": "max_intensity",
"role": "assistant"
}
] |
def x(item_a, time_a, item_b, time_b, max_value):
size_a = item_a.size(time_a)
size_b = item_b.size(time_b)
diff = np.sqrt((size_a - size_b) ** 2)
return np.minimum(diff, max_value) / float(max_value)
|
area_difference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, time_a, item_b, time_b, max_value):\n size_a = item_a.size(time_a)\n size_b = item_b.size(time_b)\n diff = np.sqrt((size_a - size_b) ** 2)\n return np.minimum(diff, max_value) / float(max_value)\n",
"role": "user"
},
{
"content": "area_difference",
"role": "assistant"
}
] |
def x(item_a, item_b, max_value):
centroids_a = np.array([item_a.center_of_mass(t) for t in item_a.times])
centroids_b = np.array([item_b.center_of_mass(t) for t in item_b.times])
distance_matrix = (centroids_a[:, 0:1] - centroids_b.T[0:1]) ** 2 + (
centroids_a[:, 1:] - centroids_b.T[1:]) ** 2
mean_min_distances = np.sqrt(distance_matrix.min(axis=0).mean() +
distance_matrix.min(axis=1).mean())
return np.minimum(mean_min_distances, max_value) / float(max_value)
|
mean_minimum_centroid_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, item_b, max_value):\n centroids_a = np.array([item_a.center_of_mass(t) for t in item_a.times])\n centroids_b = np.array([item_b.center_of_mass(t) for t in item_b.times])\n distance_matrix = (centroids_a[:, 0:1] - centroids_b.T[0:1]) ** 2 + (\n centroids_a[:, 1:] - centroids_b.T[1:]) ** 2\n mean_min_distances = np.sqrt(distance_matrix.min(axis=0).mean() +\n distance_matrix.min(axis=1).mean())\n return np.minimum(mean_min_distances, max_value) / float(max_value)\n",
"role": "user"
},
{
"content": "mean_minimum_centroid_distance",
"role": "assistant"
}
] |
def x(item_a, item_b, max_value):
times_a = item_a.times.reshape((item_a.times.size, 1))
times_b = item_b.times.reshape((1, item_b.times.size))
distance_matrix = (times_a - times_b) ** 2
mean_min_distances = np.sqrt(distance_matrix.min(axis=0).mean() +
distance_matrix.min(axis=1).mean())
return np.minimum(mean_min_distances, max_value) / float(max_value)
|
mean_min_time_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, item_b, max_value):\n times_a = item_a.times.reshape((item_a.times.size, 1))\n times_b = item_b.times.reshape((1, item_b.times.size))\n distance_matrix = (times_a - times_b) ** 2\n mean_min_distances = np.sqrt(distance_matrix.min(axis=0).mean() +\n distance_matrix.min(axis=1).mean())\n return np.minimum(mean_min_distances, max_value) / float(max_value)\n",
"role": "user"
},
{
"content": "mean_min_time_distance",
"role": "assistant"
}
] |
def x(item_a, item_b, max_value):
start_a = item_a.center_of_mass(item_a.times[0])
start_b = item_b.center_of_mass(item_b.times[0])
start_distance = np.sqrt((start_a[0] - start_b[0]) ** 2 + (start_a[1] -
start_b[1]) ** 2)
return np.minimum(start_distance, max_value) / float(max_value)
|
start_centroid_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, item_b, max_value):\n start_a = item_a.center_of_mass(item_a.times[0])\n start_b = item_b.center_of_mass(item_b.times[0])\n start_distance = np.sqrt((start_a[0] - start_b[0]) ** 2 + (start_a[1] -\n start_b[1]) ** 2)\n return np.minimum(start_distance, max_value) / float(max_value)\n",
"role": "user"
},
{
"content": "start_centroid_distance",
"role": "assistant"
}
] |
def x(item_a, item_b, max_value):
start_time_diff = np.abs(item_a.times[0] - item_b.times[0])
return np.minimum(start_time_diff, max_value) / float(max_value)
|
start_time_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, item_b, max_value):\n start_time_diff = np.abs(item_a.times[0] - item_b.times[0])\n return np.minimum(start_time_diff, max_value) / float(max_value)\n",
"role": "user"
},
{
"content": "start_time_distance",
"role": "assistant"
}
] |
def x(item_a, item_b, max_value):
duration_a = item_a.times.size
duration_b = item_b.times.size
return np.minimum(np.abs(duration_a - duration_b), max_value) / float(
max_value)
|
duration_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, item_b, max_value):\n duration_a = item_a.times.size\n duration_b = item_b.times.size\n return np.minimum(np.abs(duration_a - duration_b), max_value) / float(\n max_value)\n",
"role": "user"
},
{
"content": "duration_distance",
"role": "assistant"
}
] |
def x(item_a, item_b, max_value):
mean_area_a = np.mean([item_a.size(t) for t in item_a.times])
mean_area_b = np.mean([item_b.size(t) for t in item_b.times])
return np.abs(mean_area_a - mean_area_b) / float(max_value)
|
mean_area_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_a, item_b, max_value):\n mean_area_a = np.mean([item_a.size(t) for t in item_a.times])\n mean_area_b = np.mean([item_b.size(t) for t in item_b.times])\n return np.abs(mean_area_a - mean_area_b) / float(max_value)\n",
"role": "user"
},
{
"content": "mean_area_distance",
"role": "assistant"
}
] |
def x(self, set_a, set_b, time_a, time_b):
costs = self.cost_matrix(set_a, set_b, time_a, time_b) * 100
min_row_costs = costs.min(axis=1)
min_col_costs = costs.min(axis=0)
good_rows = np.where(min_row_costs < 100)[0]
good_cols = np.where(min_col_costs < 100)[0]
assignments = []
if len(good_rows) > 0 and len(good_cols) > 0:
munk = Munkres()
initial_assignments = munk.compute(costs[tuple(np.meshgrid(
good_rows, good_cols, indexing='ij'))].tolist())
initial_assignments = [(good_rows[x[0]], good_cols[x[1]]) for x in
initial_assignments]
for a in initial_assignments:
if costs[a[0], a[1]] < 100:
assignments.append(a)
return assignments
|
match_objects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_a, set_b, time_a, time_b):\n costs = self.cost_matrix(set_a, set_b, time_a, time_b) * 100\n min_row_costs = costs.min(axis=1)\n min_col_costs = costs.min(axis=0)\n good_rows = np.where(min_row_costs < 100)[0]\n good_cols = np.where(min_col_costs < 100)[0]\n assignments = []\n if len(good_rows) > 0 and len(good_cols) > 0:\n munk = Munkres()\n initial_assignments = munk.compute(costs[tuple(np.meshgrid(\n good_rows, good_cols, indexing='ij'))].tolist())\n initial_assignments = [(good_rows[x[0]], good_cols[x[1]]) for x in\n initial_assignments]\n for a in initial_assignments:\n if costs[a[0], a[1]] < 100:\n assignments.append(a)\n return assignments\n",
"role": "user"
},
{
"content": "match_objects",
"role": "assistant"
}
] |
def x(self, set_a, set_b, time_a, time_b):
costs = np.zeros((len(set_a), len(set_b)))
for a, item_a in enumerate(set_a):
for b, item_b in enumerate(set_b):
costs[a, b] = self.total_cost_function(item_a, item_b, time_a,
time_b)
return costs
|
cost_matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_a, set_b, time_a, time_b):\n costs = np.zeros((len(set_a), len(set_b)))\n for a, item_a in enumerate(set_a):\n for b, item_b in enumerate(set_b):\n costs[a, b] = self.total_cost_function(item_a, item_b, time_a,\n time_b)\n return costs\n",
"role": "user"
},
{
"content": "cost_matrix",
"role": "assistant"
}
] |
def x(self, item_a, item_b, time_a, time_b):
distances = np.zeros(len(self.weights))
for c, component in enumerate(self.cost_function_components):
distances[c] = component(item_a, time_a, item_b, time_b, self.
max_values[c])
total_distance = np.sum(self.weights * distances)
return total_distance
|
total_cost_function
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item_a, item_b, time_a, time_b):\n distances = np.zeros(len(self.weights))\n for c, component in enumerate(self.cost_function_components):\n distances[c] = component(item_a, time_a, item_b, time_b, self.\n max_values[c])\n total_distance = np.sum(self.weights * distances)\n return total_distance\n",
"role": "user"
},
{
"content": "total_cost_function",
"role": "assistant"
}
] |
def x(self, set_a, set_b, closest_matches=False):
costs = self.track_cost_matrix(set_a, set_b) * 100
min_row_costs = costs.min(axis=1)
min_col_costs = costs.min(axis=0)
good_rows = np.where(min_row_costs < 100)[0]
good_cols = np.where(min_col_costs < 100)[0]
assignments = []
if len(good_rows) > 0 and len(good_cols) > 0:
if closest_matches:
b_matches = costs[np.meshgrid(good_rows, good_cols, indexing='ij')
].argmin(axis=1)
a_matches = np.arange(b_matches.size)
initial_assignments = [(good_rows[a_matches[x]], good_cols[
b_matches[x]]) for x in range(b_matches.size)]
else:
munk = Munkres()
initial_assignments = munk.compute(costs[np.meshgrid(good_rows,
good_cols, indexing='ij')].tolist())
initial_assignments = [(good_rows[x[0]], good_cols[x[1]]) for x in
initial_assignments]
for a in initial_assignments:
if costs[a[0], a[1]] < 100:
assignments.append(a)
return assignments
|
match_tracks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_a, set_b, closest_matches=False):\n costs = self.track_cost_matrix(set_a, set_b) * 100\n min_row_costs = costs.min(axis=1)\n min_col_costs = costs.min(axis=0)\n good_rows = np.where(min_row_costs < 100)[0]\n good_cols = np.where(min_col_costs < 100)[0]\n assignments = []\n if len(good_rows) > 0 and len(good_cols) > 0:\n if closest_matches:\n b_matches = costs[np.meshgrid(good_rows, good_cols, indexing='ij')\n ].argmin(axis=1)\n a_matches = np.arange(b_matches.size)\n initial_assignments = [(good_rows[a_matches[x]], good_cols[\n b_matches[x]]) for x in range(b_matches.size)]\n else:\n munk = Munkres()\n initial_assignments = munk.compute(costs[np.meshgrid(good_rows,\n good_cols, indexing='ij')].tolist())\n initial_assignments = [(good_rows[x[0]], good_cols[x[1]]) for x in\n initial_assignments]\n for a in initial_assignments:\n if costs[a[0], a[1]] < 100:\n assignments.append(a)\n return assignments\n",
"role": "user"
},
{
"content": "match_tracks",
"role": "assistant"
}
] |
def x(self, set_a, set_b):
track_step_matches = [[] * len(set_a)]
costs = self.cost_matrix(set_a, set_b)
valid_costs = np.all(costs < 1, axis=2)
set_a_matches, set_b_matches = np.where(valid_costs)
s = 0
track_pairings = pd.DataFrame(index=np.arange(costs.shape[0]), columns=
['Track', 'Step', 'Time', 'Matched', 'Pairings'], dtype=object)
set_b_info = []
for trb, track_b in enumerate(set_b):
for t, time in enumerate(track_b.times):
set_b_info.append((trb, t))
set_b_info_arr = np.array(set_b_info, dtype=int)
for tr, track_a in enumerate(set_a):
for t, time in enumerate(track_a.times):
track_pairings.loc[s, ['Track', 'Step', 'Time']] = [tr, t, time]
track_pairings.loc[s, 'Matched'] = 1 if np.count_nonzero(
set_a_matches == s) > 0 else 0
if track_pairings.loc[s, 'Matched'] == 1:
track_pairings.loc[s, 'Pairings'] = set_b_info_arr[
set_b_matches[set_a_matches == s]]
else:
track_pairings.loc[s, 'Pairings'] = np.array([])
s += 1
return track_pairings
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_a, set_b):\n track_step_matches = [[] * len(set_a)]\n costs = self.cost_matrix(set_a, set_b)\n valid_costs = np.all(costs < 1, axis=2)\n set_a_matches, set_b_matches = np.where(valid_costs)\n s = 0\n track_pairings = pd.DataFrame(index=np.arange(costs.shape[0]), columns=\n ['Track', 'Step', 'Time', 'Matched', 'Pairings'], dtype=object)\n set_b_info = []\n for trb, track_b in enumerate(set_b):\n for t, time in enumerate(track_b.times):\n set_b_info.append((trb, t))\n set_b_info_arr = np.array(set_b_info, dtype=int)\n for tr, track_a in enumerate(set_a):\n for t, time in enumerate(track_a.times):\n track_pairings.loc[s, ['Track', 'Step', 'Time']] = [tr, t, time]\n track_pairings.loc[s, 'Matched'] = 1 if np.count_nonzero(\n set_a_matches == s) > 0 else 0\n if track_pairings.loc[s, 'Matched'] == 1:\n track_pairings.loc[s, 'Pairings'] = set_b_info_arr[\n set_b_matches[set_a_matches == s]]\n else:\n track_pairings.loc[s, 'Pairings'] = np.array([])\n s += 1\n return track_pairings\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(self) ->dict:
if self.value_type is not None:
return {'type': 'variable', 'version': 1, 'uuid': str(self.uuid),
'x-name': self.name, 'x-value': self.value}
else:
return self.specifier
|
variable_specifier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->dict:\n if self.value_type is not None:\n return {'type': 'variable', 'version': 1, 'uuid': str(self.uuid),\n 'x-name': self.name, 'x-value': self.value}\n else:\n return self.specifier\n",
"role": "user"
},
{
"content": "variable_specifier",
"role": "assistant"
}
] |
def x(self):
class BoundVariable:
def x(self, variable):
self.__variable = variable
self.changed_event = Event.Event()
self.needs_rebind_event = Event.Event()
def x(key):
if key == 'value':
self.changed_event.fire()
self.__variable_property_changed_listener = (variable.
property_changed_event.listen(property_changed))
@property
def x(self):
return self.__variable.value
def x(self):
self.__variable_property_changed_listener.close()
self.__variable_property_changed_listener = None
return BoundVariable(self)
|
bound_variable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n\n class BoundVariable:\n\n def x(self, variable):\n self.__variable = variable\n self.changed_event = Event.Event()\n self.needs_rebind_event = Event.Event()\n\n def x(key):\n if key == 'value':\n self.changed_event.fire()\n self.__variable_property_changed_listener = (variable.\n property_changed_event.listen(property_changed))\n\n @property\n def x(self):\n return self.__variable.value\n\n def x(self):\n self.__variable_property_changed_listener.close()\n self.__variable_property_changed_listener = None\n return BoundVariable(self)\n",
"role": "user"
},
{
"content": "bound_variable",
"role": "assistant"
}
] |
def x(self, object_specifier, secondary_specifier=None, property_name=None,
objects_model=None):
variable = self.__computation().resolve_variable(object_specifier)
if not variable:
return self.__context.resolve_object_specifier(object_specifier,
secondary_specifier, property_name, objects_model)
elif variable.specifier is None:
return variable.bound_variable
return None
|
resolve_object_specifier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_specifier, secondary_specifier=None, property_name=None,\n objects_model=None):\n variable = self.__computation().resolve_variable(object_specifier)\n if not variable:\n return self.__context.resolve_object_specifier(object_specifier,\n secondary_specifier, property_name, objects_model)\n elif variable.specifier is None:\n return variable.bound_variable\n return None\n",
"role": "user"
},
{
"content": "resolve_object_specifier",
"role": "assistant"
}
] |
def x(cls, expression):
names = set()
try:
ast_node = ast.parse(expression, 'ast')
class Visitor(ast.NodeVisitor):
def x(self, node):
names.add(node.id)
Visitor().visit(ast_node)
except Exception:
pass
return names
|
parse_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, expression):\n names = set()\n try:\n ast_node = ast.parse(expression, 'ast')\n\n\n class Visitor(ast.NodeVisitor):\n\n def x(self, node):\n names.add(node.id)\n Visitor().visit(ast_node)\n except Exception:\n pass\n return names\n",
"role": "user"
},
{
"content": "parse_names",
"role": "assistant"
}
] |
def x(self, context) ->None:
self.__computation_context = ComputationContext(self, context)
for variable in self.variables:
assert variable.bound_item is None
for result in self.results:
assert result.bound_item is None
for variable in self.variables:
self.__bind_variable(variable)
for result in self.results:
self.__bind_result(result)
|
bind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context) ->None:\n self.__computation_context = ComputationContext(self, context)\n for variable in self.variables:\n assert variable.bound_item is None\n for result in self.results:\n assert result.bound_item is None\n for variable in self.variables:\n self.__bind_variable(variable)\n for result in self.results:\n self.__bind_result(result)\n",
"role": "user"
},
{
"content": "bind",
"role": "assistant"
}
] |
def x(self):
for variable in self.variables:
self.__unbind_variable(variable)
for result in self.results:
self.__unbind_result(result)
|
unbind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for variable in self.variables:\n self.__unbind_variable(variable)\n for result in self.results:\n self.__unbind_result(result)\n",
"role": "user"
},
{
"content": "unbind",
"role": "assistant"
}
] |
def x(self, tipo_certificado, cnpj, codigo_uf):
retorno = super(ClienteSATLocal, self).ativar_sat(tipo_certificado,
cnpj, codigo_uf)
return RespostaAtivarSAT.analisar(retorno)
|
ativar_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tipo_certificado, cnpj, codigo_uf):\n retorno = super(ClienteSATLocal, self).ativar_sat(tipo_certificado,\n cnpj, codigo_uf)\n return RespostaAtivarSAT.analisar(retorno)\n",
"role": "user"
},
{
"content": "ativar_sat",
"role": "assistant"
}
] |
def x(self, certificado):
retorno = super(ClienteSATLocal, self).comunicar_certificado_icpbrasil(
certificado)
return RespostaSAT.comunicar_certificado_icpbrasil(retorno)
|
comunicar_certificado_icpbrasil
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, certificado):\n retorno = super(ClienteSATLocal, self).comunicar_certificado_icpbrasil(\n certificado)\n return RespostaSAT.comunicar_certificado_icpbrasil(retorno)\n",
"role": "user"
},
{
"content": "comunicar_certificado_icpbrasil",
"role": "assistant"
}
] |
def x(self, dados_venda):
retorno = super(ClienteSATLocal, self).enviar_dados_venda(dados_venda)
return RespostaEnviarDadosVenda.analisar(retorno)
|
enviar_dados_venda
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dados_venda):\n retorno = super(ClienteSATLocal, self).enviar_dados_venda(dados_venda)\n return RespostaEnviarDadosVenda.analisar(retorno)\n",
"role": "user"
},
{
"content": "enviar_dados_venda",
"role": "assistant"
}
] |
def x(self, chave_cfe, dados_cancelamento):
retorno = super(ClienteSATLocal, self).cancelar_ultima_venda(chave_cfe,
dados_cancelamento)
return RespostaCancelarUltimaVenda.analisar(retorno)
|
cancelar_ultima_venda
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chave_cfe, dados_cancelamento):\n retorno = super(ClienteSATLocal, self).cancelar_ultima_venda(chave_cfe,\n dados_cancelamento)\n return RespostaCancelarUltimaVenda.analisar(retorno)\n",
"role": "user"
},
{
"content": "cancelar_ultima_venda",
"role": "assistant"
}
] |
def x(self):
retorno = super(ClienteSATLocal, self).consultar_sat()
return RespostaSAT.consultar_sat(retorno)
|
consultar_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retorno = super(ClienteSATLocal, self).consultar_sat()\n return RespostaSAT.consultar_sat(retorno)\n",
"role": "user"
},
{
"content": "consultar_sat",
"role": "assistant"
}
] |
def x(self):
retorno = super(ClienteSATLocal, self).consultar_status_operacional()
return RespostaConsultarStatusOperacional.analisar(retorno)
|
consultar_status_operacional
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retorno = super(ClienteSATLocal, self).consultar_status_operacional()\n return RespostaConsultarStatusOperacional.analisar(retorno)\n",
"role": "user"
},
{
"content": "consultar_status_operacional",
"role": "assistant"
}
] |
def x(self, numero_sessao):
retorno = super(ClienteSATLocal, self).consultar_numero_sessao(
numero_sessao)
return RespostaConsultarNumeroSessao.analisar(retorno)
|
consultar_numero_sessao
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, numero_sessao):\n retorno = super(ClienteSATLocal, self).consultar_numero_sessao(\n numero_sessao)\n return RespostaConsultarNumeroSessao.analisar(retorno)\n",
"role": "user"
},
{
"content": "consultar_numero_sessao",
"role": "assistant"
}
] |
def x(self, configuracao):
retorno = super(ClienteSATLocal, self).configurar_interface_de_rede(
configuracao)
return RespostaSAT.configurar_interface_de_rede(retorno)
|
configurar_interface_de_rede
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, configuracao):\n retorno = super(ClienteSATLocal, self).configurar_interface_de_rede(\n configuracao)\n return RespostaSAT.configurar_interface_de_rede(retorno)\n",
"role": "user"
},
{
"content": "configurar_interface_de_rede",
"role": "assistant"
}
] |
def x(self, sequencia_cnpj, assinatura_ac):
retorno = super(ClienteSATLocal, self).associar_assinatura(sequencia_cnpj,
assinatura_ac)
return RespostaSAT.associar_assinatura(retorno)
|
associar_assinatura
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sequencia_cnpj, assinatura_ac):\n retorno = super(ClienteSATLocal, self).associar_assinatura(sequencia_cnpj,\n assinatura_ac)\n return RespostaSAT.associar_assinatura(retorno)\n",
"role": "user"
},
{
"content": "associar_assinatura",
"role": "assistant"
}
] |
def x(self):
retorno = super(ClienteSATLocal, self).atualizar_software_sat()
return RespostaSAT.atualizar_software_sat(retorno)
|
atualizar_software_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retorno = super(ClienteSATLocal, self).atualizar_software_sat()\n return RespostaSAT.atualizar_software_sat(retorno)\n",
"role": "user"
},
{
"content": "atualizar_software_sat",
"role": "assistant"
}
] |
def x(self):
retorno = super(ClienteSATLocal, self).extrair_logs()
return RespostaExtrairLogs.analisar(retorno)
|
extrair_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retorno = super(ClienteSATLocal, self).extrair_logs()\n return RespostaExtrairLogs.analisar(retorno)\n",
"role": "user"
},
{
"content": "extrair_logs",
"role": "assistant"
}
] |
def x(self):
retorno = super(ClienteSATLocal, self).bloquear_sat()
return RespostaSAT.bloquear_sat(retorno)
|
bloquear_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retorno = super(ClienteSATLocal, self).bloquear_sat()\n return RespostaSAT.bloquear_sat(retorno)\n",
"role": "user"
},
{
"content": "bloquear_sat",
"role": "assistant"
}
] |
def x(self):
retorno = super(ClienteSATLocal, self).desbloquear_sat()
return RespostaSAT.desbloquear_sat(retorno)
|
desbloquear_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n retorno = super(ClienteSATLocal, self).desbloquear_sat()\n return RespostaSAT.desbloquear_sat(retorno)\n",
"role": "user"
},
{
"content": "desbloquear_sat",
"role": "assistant"
}
] |
def x(self, novo_codigo_ativacao, opcao=constantes.CODIGO_ATIVACAO_REGULAR,
codigo_emergencia=None):
retorno = super(ClienteSATLocal, self).trocar_codigo_de_ativacao(
novo_codigo_ativacao, opcao=opcao, codigo_emergencia=codigo_emergencia)
return RespostaSAT.trocar_codigo_de_ativacao(retorno)
|
trocar_codigo_de_ativacao
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, novo_codigo_ativacao, opcao=constantes.CODIGO_ATIVACAO_REGULAR,\n codigo_emergencia=None):\n retorno = super(ClienteSATLocal, self).trocar_codigo_de_ativacao(\n novo_codigo_ativacao, opcao=opcao, codigo_emergencia=codigo_emergencia)\n return RespostaSAT.trocar_codigo_de_ativacao(retorno)\n",
"role": "user"
},
{
"content": "trocar_codigo_de_ativacao",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
forcar_unicode = kwargs.pop('forcar_unicode', False)
incluir_xml_decl = kwargs.pop('incluir_xml_decl', True)
doc = ET.tostring(self._xml(*args, **kwargs), encoding='utf-8').decode(
'utf-8')
if forcar_unicode:
if incluir_xml_decl:
doc = u'{}\n{}'.format(constantes.XML_DECL_UNICODE, doc)
elif incluir_xml_decl:
doc = '{}\n{}'.format(constantes.XML_DECL, unidecode(doc))
else:
doc = unidecode(doc)
return doc
|
documento
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n forcar_unicode = kwargs.pop('forcar_unicode', False)\n incluir_xml_decl = kwargs.pop('incluir_xml_decl', True)\n doc = ET.tostring(self._xml(*args, **kwargs), encoding='utf-8').decode(\n 'utf-8')\n if forcar_unicode:\n if incluir_xml_decl:\n doc = u'{}\\n{}'.format(constantes.XML_DECL_UNICODE, doc)\n elif incluir_xml_decl:\n doc = '{}\\n{}'.format(constantes.XML_DECL, unidecode(doc))\n else:\n doc = unidecode(doc)\n return doc\n",
"role": "user"
},
{
"content": "documento",
"role": "assistant"
}
] |
def x(self, skip_choose=False, fixed_workspace_dir=None):
logging.getLogger('migration').setLevel(logging.INFO)
if fixed_workspace_dir:
workspace_dir = fixed_workspace_dir
else:
documents_dir = self.ui.get_document_location()
workspace_dir = os.path.join(documents_dir, 'Nion Swift Libraries')
workspace_dir = self.ui.get_persistent_string('workspace_location',
workspace_dir)
welcome_message_enabled = fixed_workspace_dir is None
profile, is_created = Profile.create_profile(pathlib.Path(workspace_dir
), welcome_message_enabled, skip_choose)
if not profile:
self.choose_library()
return True
self.workspace_dir = workspace_dir
DocumentModel.DocumentModel.computation_min_period = 0.1
document_model = DocumentModel.DocumentModel(profile=profile)
document_model.create_default_data_groups()
document_model.start_dispatcher()
alias_path = os.path.join(self.workspace_dir, 'aliases.ini')
HardwareSource.parse_hardware_aliases_config_file(alias_path)
document_controller = self.create_document_controller(document_model,
'library')
if self.__resources_path is not None:
document_model.create_sample_images(self.__resources_path)
workspace_history = self.ui.get_persistent_object('workspace_history',
list())
if workspace_dir in workspace_history:
workspace_history.remove(workspace_dir)
workspace_history.insert(0, workspace_dir)
self.ui.set_persistent_object('workspace_history', workspace_history)
self.ui.set_persistent_string('workspace_location', workspace_dir)
if welcome_message_enabled:
logging.info('Welcome to Nion Swift.')
if is_created and len(document_model.display_items) > 0:
document_controller.selected_display_panel.set_display_panel_display_item(
document_model.display_items[0])
document_controller.selected_display_panel.perform_action(
'set_fill_mode')
return True
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, skip_choose=False, fixed_workspace_dir=None):\n logging.getLogger('migration').setLevel(logging.INFO)\n if fixed_workspace_dir:\n workspace_dir = fixed_workspace_dir\n else:\n documents_dir = self.ui.get_document_location()\n workspace_dir = os.path.join(documents_dir, 'Nion Swift Libraries')\n workspace_dir = self.ui.get_persistent_string('workspace_location',\n workspace_dir)\n welcome_message_enabled = fixed_workspace_dir is None\n profile, is_created = Profile.create_profile(pathlib.Path(workspace_dir\n ), welcome_message_enabled, skip_choose)\n if not profile:\n self.choose_library()\n return True\n self.workspace_dir = workspace_dir\n DocumentModel.DocumentModel.computation_min_period = 0.1\n document_model = DocumentModel.DocumentModel(profile=profile)\n document_model.create_default_data_groups()\n document_model.start_dispatcher()\n alias_path = os.path.join(self.workspace_dir, 'aliases.ini')\n HardwareSource.parse_hardware_aliases_config_file(alias_path)\n document_controller = self.create_document_controller(document_model,\n 'library')\n if self.__resources_path is not None:\n document_model.create_sample_images(self.__resources_path)\n workspace_history = self.ui.get_persistent_object('workspace_history',\n list())\n if workspace_dir in workspace_history:\n workspace_history.remove(workspace_dir)\n workspace_history.insert(0, workspace_dir)\n self.ui.set_persistent_object('workspace_history', workspace_history)\n self.ui.set_persistent_string('workspace_location', workspace_dir)\n if welcome_message_enabled:\n logging.info('Welcome to Nion Swift.')\n if is_created and len(document_model.display_items) > 0:\n document_controller.selected_display_panel.set_display_panel_display_item(\n document_model.display_items[0])\n document_controller.selected_display_panel.perform_action(\n 'set_fill_mode')\n return True\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(data_item):
return data_item.title + str(data_item.uuid) if data_item.is_live else str(
), data_item.date_for_sorting, str(data_item.uuid)
|
sort_by_date_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_item):\n return data_item.title + str(data_item.uuid) if data_item.is_live else str(\n ), data_item.date_for_sorting, str(data_item.uuid)\n",
"role": "user"
},
{
"content": "sort_by_date_key",
"role": "assistant"
}
] |
def x(self):
data_item = self.__class__()
data_item.large_format = self.large_format
data_item.set_data_and_metadata(copy.deepcopy(self.data_and_metadata),
self.data_modified)
data_item.created = self.created
data_item.timezone = self.timezone
data_item.timezone_offset = self.timezone_offset
data_item.metadata = self.metadata
data_item.title = self.title
data_item.caption = self.caption
data_item.description = self.description
data_item.session_id = self.session_id
data_item.session_data = copy.deepcopy(self.session_data)
return data_item
|
snapshot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data_item = self.__class__()\n data_item.large_format = self.large_format\n data_item.set_data_and_metadata(copy.deepcopy(self.data_and_metadata),\n self.data_modified)\n data_item.created = self.created\n data_item.timezone = self.timezone\n data_item.timezone_offset = self.timezone_offset\n data_item.metadata = self.metadata\n data_item.title = self.title\n data_item.caption = self.caption\n data_item.description = self.description\n data_item.session_id = self.session_id\n data_item.session_data = copy.deepcopy(self.session_data)\n return data_item\n",
"role": "user"
},
{
"content": "snapshot",
"role": "assistant"
}
] |
def x(self, r_var: str, *, notify_changed=True) ->None:
self.r_var = r_var
self._description_changed()
if notify_changed:
self.__notify_description_changed()
|
set_r_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r_var: str, *, notify_changed=True) ->None:\n self.r_var = r_var\n self._description_changed()\n if notify_changed:\n self.__notify_description_changed()\n",
"role": "user"
},
{
"content": "set_r_value",
"role": "assistant"
}
] |
def x(self, data_and_metadata, data_modified=None):
self.increment_data_ref_count()
try:
if data_and_metadata:
data = data_and_metadata.data
data_shape_and_dtype = data_and_metadata.data_shape_and_dtype
intensity_calibration = data_and_metadata.intensity_calibration
dimensional_calibrations = (data_and_metadata.
dimensional_calibrations)
metadata = data_and_metadata.metadata
timestamp = data_and_metadata.timestamp
data_descriptor = data_and_metadata.data_descriptor
timezone = (data_and_metadata.timezone or Utility.
get_local_timezone())
timezone_offset = (data_and_metadata.timezone_offset or Utility
.TimezoneMinutesToStringConverter().convert(Utility.
local_utcoffset_minutes()))
new_data_and_metadata = DataAndMetadata.DataAndMetadata(self.
__load_data, data_shape_and_dtype, intensity_calibration,
dimensional_calibrations, metadata, timestamp, data,
data_descriptor, timezone, timezone_offset)
else:
new_data_and_metadata = None
self.__set_data_metadata_direct(new_data_and_metadata, data_modified)
if self.__data_and_metadata is not None:
if (self.persistent_object_context and not self.
persistent_object_context.is_write_delayed(self)):
self.persistent_object_context.write_external_data(self,
'data', self.__data_and_metadata.data)
self.__data_and_metadata.unloadable = True
finally:
self.decrement_data_ref_count()
|
set_data_and_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_and_metadata, data_modified=None):\n self.increment_data_ref_count()\n try:\n if data_and_metadata:\n data = data_and_metadata.data\n data_shape_and_dtype = data_and_metadata.data_shape_and_dtype\n intensity_calibration = data_and_metadata.intensity_calibration\n dimensional_calibrations = (data_and_metadata.\n dimensional_calibrations)\n metadata = data_and_metadata.metadata\n timestamp = data_and_metadata.timestamp\n data_descriptor = data_and_metadata.data_descriptor\n timezone = (data_and_metadata.timezone or Utility.\n get_local_timezone())\n timezone_offset = (data_and_metadata.timezone_offset or Utility\n .TimezoneMinutesToStringConverter().convert(Utility.\n local_utcoffset_minutes()))\n new_data_and_metadata = DataAndMetadata.DataAndMetadata(self.\n __load_data, data_shape_and_dtype, intensity_calibration,\n dimensional_calibrations, metadata, timestamp, data,\n data_descriptor, timezone, timezone_offset)\n else:\n new_data_and_metadata = None\n self.__set_data_metadata_direct(new_data_and_metadata, data_modified)\n if self.__data_and_metadata is not None:\n if (self.persistent_object_context and not self.\n persistent_object_context.is_write_delayed(self)):\n self.persistent_object_context.write_external_data(self,\n 'data', self.__data_and_metadata.data)\n self.__data_and_metadata.unloadable = True\n finally:\n self.decrement_data_ref_count()\n",
"role": "user"
},
{
"content": "set_data_and_metadata",
"role": "assistant"
}
] |
def x(self) ->typing.Optional[numpy.ndarray]:
if self.display_data_shape is None:
return None
else:
return (self.__color_map_data if self.__color_map_data is not None else
ColorMaps.get_color_map_data_by_id('grayscale'))
|
color_map_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->typing.Optional[numpy.ndarray]:\n if self.display_data_shape is None:\n return None\n else:\n return (self.__color_map_data if self.__color_map_data is not None else\n ColorMaps.get_color_map_data_by_id('grayscale'))\n",
"role": "user"
},
{
"content": "color_map_data",
"role": "assistant"
}
] |
def x(self, immediate: bool=False) ->DisplayValues:
if not immediate or not self.__is_master or not self.__last_display_values:
if not self.__current_display_values and self.__data_item:
self.__current_display_values = DisplayValues(self.__data_item.
xdata, self.sequence_index, self.collection_index, self.
slice_center, self.slice_width, self.display_limits, self.
complex_display_type, self.__color_map_data)
def x(display_values):
self.__last_display_values = display_values
self.display_values_changed_event.fire()
self.__current_display_values.on_finalize = finalize
return self.__current_display_values
return self.__last_display_values
|
get_calculated_display_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, immediate: bool=False) ->DisplayValues:\n if not immediate or not self.__is_master or not self.__last_display_values:\n if not self.__current_display_values and self.__data_item:\n self.__current_display_values = DisplayValues(self.__data_item.\n xdata, self.sequence_index, self.collection_index, self.\n slice_center, self.slice_width, self.display_limits, self.\n complex_display_type, self.__color_map_data)\n\n def x(display_values):\n self.__last_display_values = display_values\n self.display_values_changed_event.fire()\n self.__current_display_values.on_finalize = finalize\n return self.__current_display_values\n return self.__last_display_values\n",
"role": "user"
},
{
"content": "get_calculated_display_values",
"role": "assistant"
}
] |
def x(self, amount: int=1):
display_ref_count = self.__display_ref_count
self.__display_ref_count += amount
if display_ref_count == 0:
self.__is_master = True
if self.__data_item:
for _ in range(amount):
self.__data_item.increment_data_ref_count()
|
increment_display_ref_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, amount: int=1):\n display_ref_count = self.__display_ref_count\n self.__display_ref_count += amount\n if display_ref_count == 0:\n self.__is_master = True\n if self.__data_item:\n for _ in range(amount):\n self.__data_item.increment_data_ref_count()\n",
"role": "user"
},
{
"content": "increment_display_ref_count",
"role": "assistant"
}
] |
def x(self, amount: int=1):
assert not self._closed
self.__display_ref_count -= amount
if self.__display_ref_count == 0:
self.__is_master = False
if self.__data_item:
for _ in range(amount):
self.__data_item.decrement_data_ref_count()
|
decrement_display_ref_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, amount: int=1):\n assert not self._closed\n self.__display_ref_count -= amount\n if self.__display_ref_count == 0:\n self.__is_master = False\n if self.__data_item:\n for _ in range(amount):\n self.__data_item.decrement_data_ref_count()\n",
"role": "user"
},
{
"content": "decrement_display_ref_count",
"role": "assistant"
}
] |
def x(self):
display_data_and_metadata = self.get_calculated_display_values(True
).display_data_and_metadata
data = (display_data_and_metadata.data if display_data_and_metadata else
None)
if data is not None:
mn, mx = numpy.nanmin(data), numpy.nanmax(data)
self.display_limits = mn, mx
|
auto_display_limits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n display_data_and_metadata = self.get_calculated_display_values(True\n ).display_data_and_metadata\n data = (display_data_and_metadata.data if display_data_and_metadata else\n None)\n if data is not None:\n mn, mx = numpy.nanmin(data), numpy.nanmax(data)\n self.display_limits = mn, mx\n",
"role": "user"
},
{
"content": "auto_display_limits",
"role": "assistant"
}
] |
def x(self):
display_item = self.__class__()
display_item.display_type = self.display_type
display_item._set_persistent_property_value('title', self.
_get_persistent_property_value('title'))
display_item._set_persistent_property_value('caption', self.
_get_persistent_property_value('caption'))
display_item._set_persistent_property_value('description', self.
_get_persistent_property_value('description'))
display_item._set_persistent_property_value('session_id', self.
_get_persistent_property_value('session_id'))
display_item._set_persistent_property_value('calibration_style_id',
self._get_persistent_property_value('calibration_style_id'))
display_item._set_persistent_property_value('display_properties', self.
_get_persistent_property_value('display_properties'))
display_item.created = self.created
for graphic in self.graphics:
display_item.add_graphic(copy.deepcopy(graphic))
for display_data_channel in self.display_data_channels:
display_item.append_display_data_channel(copy.deepcopy(
display_data_channel))
display_item._set_persistent_property_value('display_layers', self.
_get_persistent_property_value('display_layers'))
return display_item
|
snapshot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n display_item = self.__class__()\n display_item.display_type = self.display_type\n display_item._set_persistent_property_value('title', self.\n _get_persistent_property_value('title'))\n display_item._set_persistent_property_value('caption', self.\n _get_persistent_property_value('caption'))\n display_item._set_persistent_property_value('description', self.\n _get_persistent_property_value('description'))\n display_item._set_persistent_property_value('session_id', self.\n _get_persistent_property_value('session_id'))\n display_item._set_persistent_property_value('calibration_style_id',\n self._get_persistent_property_value('calibration_style_id'))\n display_item._set_persistent_property_value('display_properties', self.\n _get_persistent_property_value('display_properties'))\n display_item.created = self.created\n for graphic in self.graphics:\n display_item.add_graphic(copy.deepcopy(graphic))\n for display_data_channel in self.display_data_channels:\n display_item.append_display_data_channel(copy.deepcopy(\n display_data_channel))\n display_item._set_persistent_property_value('display_layers', self.\n _get_persistent_property_value('display_layers'))\n return display_item\n",
"role": "user"
},
{
"content": "snapshot",
"role": "assistant"
}
] |
def x(self, amount: int=1):
display_ref_count = self.__display_ref_count
self.__display_ref_count += amount
for display_data_channel in self.display_data_channels:
display_data_channel.increment_display_ref_count(amount)
|
increment_display_ref_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, amount: int=1):\n display_ref_count = self.__display_ref_count\n self.__display_ref_count += amount\n for display_data_channel in self.display_data_channels:\n display_data_channel.increment_display_ref_count(amount)\n",
"role": "user"
},
{
"content": "increment_display_ref_count",
"role": "assistant"
}
] |
def x(self, amount: int=1):
assert not self._closed
self.__display_ref_count -= amount
for display_data_channel in self.display_data_channels:
display_data_channel.decrement_display_ref_count(amount)
|
decrement_display_ref_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, amount: int=1):\n assert not self._closed\n self.__display_ref_count -= amount\n for display_data_channel in self.display_data_channels:\n display_data_channel.decrement_display_ref_count(amount)\n",
"role": "user"
},
{
"content": "decrement_display_ref_count",
"role": "assistant"
}
] |
def x(self, graphic: Graphics.Graphic, *, safe: bool=False) ->typing.Optional[
typing.Sequence]:
return self.remove_model_item(self, 'graphics', graphic, safe=safe)
|
remove_graphic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graphic: Graphics.Graphic, *, safe: bool=False) ->typing.Optional[\n typing.Sequence]:\n return self.remove_model_item(self, 'graphics', graphic, safe=safe)\n",
"role": "user"
},
{
"content": "remove_graphic",
"role": "assistant"
}
] |
def x(self) ->typing.Optional[typing.Tuple[int, ...]]:
if not self.__data_and_metadata:
return None
return self.__data_and_metadata.dimensional_shape
|
dimensional_shape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->typing.Optional[typing.Tuple[int, ...]]:\n if not self.__data_and_metadata:\n return None\n return self.__data_and_metadata.dimensional_shape\n",
"role": "user"
},
{
"content": "dimensional_shape",
"role": "assistant"
}
] |
def x(self, data_and_metadata: DataAndMetadata.DataAndMetadata, intervals:
typing.List[typing.Tuple[float, float]]) ->None:
left = None
right = None
for interval in intervals:
left = min(left, interval[0]) if left is not None else interval[0]
right = max(right, interval[1]) if right is not None else interval[1]
left = left if left is not None else 0.0
right = right if right is not None else 1.0
extra = (right - left) * 0.5
left_channel = int(max(0.0, left - extra) * data_and_metadata.
data_shape[-1])
right_channel = int(min(1.0, right + extra) * data_and_metadata.
data_shape[-1])
self.set_display_property('left_channel', left_channel)
self.set_display_property('right_channel', right_channel)
data_min = numpy.amin(data_and_metadata.data[..., left_channel:
right_channel])
data_max = numpy.amax(data_and_metadata.data[..., left_channel:
right_channel])
if data_min > 0 and data_max > 0:
self.set_display_property('y_min', 0.0)
self.set_display_property('y_max', data_max * 1.2)
elif data_min < 0 and data_max < 0:
self.set_display_property('y_min', data_min * 1.2)
self.set_display_property('y_max', 0.0)
else:
self.set_display_property('y_min', data_min * 1.2)
self.set_display_property('y_max', data_max * 1.2)
|
view_to_intervals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_and_metadata: DataAndMetadata.DataAndMetadata, intervals:\n typing.List[typing.Tuple[float, float]]) ->None:\n left = None\n right = None\n for interval in intervals:\n left = min(left, interval[0]) if left is not None else interval[0]\n right = max(right, interval[1]) if right is not None else interval[1]\n left = left if left is not None else 0.0\n right = right if right is not None else 1.0\n extra = (right - left) * 0.5\n left_channel = int(max(0.0, left - extra) * data_and_metadata.\n data_shape[-1])\n right_channel = int(min(1.0, right + extra) * data_and_metadata.\n data_shape[-1])\n self.set_display_property('left_channel', left_channel)\n self.set_display_property('right_channel', right_channel)\n data_min = numpy.amin(data_and_metadata.data[..., left_channel:\n right_channel])\n data_max = numpy.amax(data_and_metadata.data[..., left_channel:\n right_channel])\n if data_min > 0 and data_max > 0:\n self.set_display_property('y_min', 0.0)\n self.set_display_property('y_max', data_max * 1.2)\n elif data_min < 0 and data_max < 0:\n self.set_display_property('y_min', data_min * 1.2)\n self.set_display_property('y_max', 0.0)\n else:\n self.set_display_property('y_min', data_min * 1.2)\n self.set_display_property('y_max', data_max * 1.2)\n",
"role": "user"
},
{
"content": "view_to_intervals",
"role": "assistant"
}
] |
def x(fp, name_bytes, writer, dt):
fp.write(struct.pack('I', 67324752))
fp.write(struct.pack('H', 10))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('H', 0))
msdos_date = int(dt.year - 1980) << 9 | int(dt.month) << 5 | int(dt.day)
msdos_time = int(dt.hour) << 11 | int(dt.minute) << 5 | int(dt.second)
fp.write(struct.pack('H', msdos_time))
fp.write(struct.pack('H', msdos_date))
crc32_pos = fp.tell()
fp.write(struct.pack('I', 0))
data_len_pos = fp.tell()
fp.write(struct.pack('I', 0))
fp.write(struct.pack('I', 0))
fp.write(struct.pack('H', len(name_bytes)))
fp.write(struct.pack('H', 0))
fp.write(name_bytes)
data_start_pos = fp.tell()
crc32 = writer(fp)
data_end_pos = fp.tell()
data_len = data_end_pos - data_start_pos
fp.seek(crc32_pos)
fp.write(struct.pack('I', crc32))
fp.seek(data_len_pos)
fp.write(struct.pack('I', data_len))
fp.write(struct.pack('I', data_len))
fp.seek(data_end_pos)
return data_len, crc32
|
write_local_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp, name_bytes, writer, dt):\n fp.write(struct.pack('I', 67324752))\n fp.write(struct.pack('H', 10))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('H', 0))\n msdos_date = int(dt.year - 1980) << 9 | int(dt.month) << 5 | int(dt.day)\n msdos_time = int(dt.hour) << 11 | int(dt.minute) << 5 | int(dt.second)\n fp.write(struct.pack('H', msdos_time))\n fp.write(struct.pack('H', msdos_date))\n crc32_pos = fp.tell()\n fp.write(struct.pack('I', 0))\n data_len_pos = fp.tell()\n fp.write(struct.pack('I', 0))\n fp.write(struct.pack('I', 0))\n fp.write(struct.pack('H', len(name_bytes)))\n fp.write(struct.pack('H', 0))\n fp.write(name_bytes)\n data_start_pos = fp.tell()\n crc32 = writer(fp)\n data_end_pos = fp.tell()\n data_len = data_end_pos - data_start_pos\n fp.seek(crc32_pos)\n fp.write(struct.pack('I', crc32))\n fp.seek(data_len_pos)\n fp.write(struct.pack('I', data_len))\n fp.write(struct.pack('I', data_len))\n fp.seek(data_end_pos)\n return data_len, crc32\n",
"role": "user"
},
{
"content": "write_local_file",
"role": "assistant"
}
] |
def x(fp, offset, name_bytes, data_len, crc32, dt):
fp.write(struct.pack('I', 33639248))
fp.write(struct.pack('H', 10))
fp.write(struct.pack('H', 10))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('H', 0))
msdos_date = int(dt.year - 1980) << 9 | int(dt.month) << 5 | int(dt.day)
msdos_time = int(dt.hour) << 11 | int(dt.minute) << 5 | int(dt.second)
fp.write(struct.pack('H', msdos_time))
fp.write(struct.pack('H', msdos_date))
fp.write(struct.pack('I', crc32))
fp.write(struct.pack('I', data_len))
fp.write(struct.pack('I', data_len))
fp.write(struct.pack('H', len(name_bytes)))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('I', 0))
fp.write(struct.pack('I', offset))
fp.write(name_bytes)
|
write_directory_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp, offset, name_bytes, data_len, crc32, dt):\n fp.write(struct.pack('I', 33639248))\n fp.write(struct.pack('H', 10))\n fp.write(struct.pack('H', 10))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('H', 0))\n msdos_date = int(dt.year - 1980) << 9 | int(dt.month) << 5 | int(dt.day)\n msdos_time = int(dt.hour) << 11 | int(dt.minute) << 5 | int(dt.second)\n fp.write(struct.pack('H', msdos_time))\n fp.write(struct.pack('H', msdos_date))\n fp.write(struct.pack('I', crc32))\n fp.write(struct.pack('I', data_len))\n fp.write(struct.pack('I', data_len))\n fp.write(struct.pack('H', len(name_bytes)))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('I', 0))\n fp.write(struct.pack('I', offset))\n fp.write(name_bytes)\n",
"role": "user"
},
{
"content": "write_directory_data",
"role": "assistant"
}
] |
def x(fp, dir_size, dir_offset, count):
fp.write(struct.pack('I', 101010256))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('H', 0))
fp.write(struct.pack('H', count))
fp.write(struct.pack('H', count))
fp.write(struct.pack('I', dir_size))
fp.write(struct.pack('I', dir_offset))
fp.write(struct.pack('H', 0))
|
write_end_of_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp, dir_size, dir_offset, count):\n fp.write(struct.pack('I', 101010256))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('H', 0))\n fp.write(struct.pack('H', count))\n fp.write(struct.pack('H', count))\n fp.write(struct.pack('I', dir_size))\n fp.write(struct.pack('I', dir_offset))\n fp.write(struct.pack('H', 0))\n",
"role": "user"
},
{
"content": "write_end_of_directory",
"role": "assistant"
}
] |
def x(fp, data, properties, dir_data_list=None):
assert data is not None or properties is not None
dir_data_list = list() if dir_data_list is None else dir_data_list
dt = datetime.datetime.now()
if data is not None:
offset_data = fp.tell()
def x(fp):
numpy_start_pos = fp.tell()
numpy.save(fp, data)
numpy_end_pos = fp.tell()
fp.seek(numpy_start_pos)
data_c = numpy.require(data, dtype=data.dtype, requirements=[
'C_CONTIGUOUS'])
header_data = fp.read(numpy_end_pos - numpy_start_pos - data_c.
nbytes)
data_crc32 = binascii.crc32(data_c.data, binascii.crc32(
header_data)) & 4294967295
fp.seek(numpy_end_pos)
return data_crc32
data_len, crc32 = write_local_file(fp, b'data.npy', write_data, dt)
dir_data_list.append((offset_data, b'data.npy', data_len, crc32))
if properties is not None:
json_str = str()
try:
class JSONEncoder(json.JSONEncoder):
def x(self, obj):
if isinstance(obj, Geometry.IntPoint) or isinstance(obj,
Geometry.IntSize) or isinstance(obj, Geometry.IntRect
) or isinstance(obj, Geometry.FloatPoint
) or isinstance(obj, Geometry.FloatSize) or isinstance(
obj, Geometry.FloatRect):
return tuple(obj)
else:
return json.JSONEncoder.default(self, obj)
json_io = io.StringIO()
json.dump(properties, json_io, cls=JSONEncoder)
json_str = json_io.getvalue()
except Exception as e:
import traceback
logging.error('Exception writing zip file %s' + str(e))
traceback.print_exc()
traceback.print_stack()
def x(fp):
json_bytes = bytes(json_str, 'ISO-8859-1')
fp.write(json_bytes)
return binascii.crc32(json_bytes) & 4294967295
offset_json = fp.tell()
json_len, json_crc32 = write_local_file(fp, b'metadata.json',
write_json, dt)
dir_data_list.append((offset_json, b'metadata.json', json_len,
json_crc32))
dir_offset = fp.tell()
for offset, name_bytes, data_len, crc32 in dir_data_list:
write_directory_data(fp, offset, name_bytes, data_len, crc32, dt)
dir_size = fp.tell() - dir_offset
write_end_of_directory(fp, dir_size, dir_offset, len(dir_data_list))
fp.truncate()
|
write_zip_fp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp, data, properties, dir_data_list=None):\n assert data is not None or properties is not None\n dir_data_list = list() if dir_data_list is None else dir_data_list\n dt = datetime.datetime.now()\n if data is not None:\n offset_data = fp.tell()\n\n def x(fp):\n numpy_start_pos = fp.tell()\n numpy.save(fp, data)\n numpy_end_pos = fp.tell()\n fp.seek(numpy_start_pos)\n data_c = numpy.require(data, dtype=data.dtype, requirements=[\n 'C_CONTIGUOUS'])\n header_data = fp.read(numpy_end_pos - numpy_start_pos - data_c.\n nbytes)\n data_crc32 = binascii.crc32(data_c.data, binascii.crc32(\n header_data)) & 4294967295\n fp.seek(numpy_end_pos)\n return data_crc32\n data_len, crc32 = write_local_file(fp, b'data.npy', write_data, dt)\n dir_data_list.append((offset_data, b'data.npy', data_len, crc32))\n if properties is not None:\n json_str = str()\n try:\n\n\n class JSONEncoder(json.JSONEncoder):\n\n def x(self, obj):\n if isinstance(obj, Geometry.IntPoint) or isinstance(obj,\n Geometry.IntSize) or isinstance(obj, Geometry.IntRect\n ) or isinstance(obj, Geometry.FloatPoint\n ) or isinstance(obj, Geometry.FloatSize) or isinstance(\n obj, Geometry.FloatRect):\n return tuple(obj)\n else:\n return json.JSONEncoder.default(self, obj)\n json_io = io.StringIO()\n json.dump(properties, json_io, cls=JSONEncoder)\n json_str = json_io.getvalue()\n except Exception as e:\n import traceback\n logging.error('Exception writing zip file %s' + str(e))\n traceback.print_exc()\n traceback.print_stack()\n\n def x(fp):\n json_bytes = bytes(json_str, 'ISO-8859-1')\n fp.write(json_bytes)\n return binascii.crc32(json_bytes) & 4294967295\n offset_json = fp.tell()\n json_len, json_crc32 = write_local_file(fp, b'metadata.json',\n write_json, dt)\n dir_data_list.append((offset_json, b'metadata.json', json_len,\n json_crc32))\n dir_offset = fp.tell()\n for offset, name_bytes, data_len, crc32 in dir_data_list:\n write_directory_data(fp, offset, name_bytes, data_len, crc32, dt)\n dir_size = fp.tell() - dir_offset\n write_end_of_directory(fp, dir_size, dir_offset, len(dir_data_list))\n fp.truncate()\n",
"role": "user"
},
{
"content": "write_zip_fp",
"role": "assistant"
}
] |
def x(file_path, data, properties):
with open(file_path, 'w+b') as fp:
write_zip_fp(fp, data, properties)
|
write_zip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path, data, properties):\n with open(file_path, 'w+b') as fp:\n write_zip_fp(fp, data, properties)\n",
"role": "user"
},
{
"content": "write_zip",
"role": "assistant"
}
] |
def x(fp):
local_files = {}
dir_files = {}
eocd = None
fp.seek(0)
while True:
pos = fp.tell()
signature = struct.unpack('I', fp.read(4))[0]
if signature == 67324752:
fp.seek(pos + 14)
crc32 = struct.unpack('I', fp.read(4))[0]
fp.seek(pos + 18)
data_len = struct.unpack('I', fp.read(4))[0]
fp.seek(pos + 26)
name_len = struct.unpack('H', fp.read(2))[0]
extra_len = struct.unpack('H', fp.read(2))[0]
name_bytes = fp.read(name_len)
fp.seek(extra_len, os.SEEK_CUR)
data_pos = fp.tell()
fp.seek(data_len, os.SEEK_CUR)
local_files[pos] = name_bytes, data_pos, data_len, crc32
elif signature == 33639248:
fp.seek(pos + 28)
name_len = struct.unpack('H', fp.read(2))[0]
extra_len = struct.unpack('H', fp.read(2))[0]
comment_len = struct.unpack('H', fp.read(2))[0]
fp.seek(pos + 42)
pos2 = struct.unpack('I', fp.read(4))[0]
name_bytes = fp.read(name_len)
fp.seek(pos + 46 + name_len + extra_len + comment_len)
dir_files[name_bytes] = pos, pos2
elif signature == 101010256:
fp.seek(pos + 16)
pos2 = struct.unpack('I', fp.read(4))[0]
eocd = pos, pos2
break
else:
raise IOError()
return local_files, dir_files, eocd
|
parse_zip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp):\n local_files = {}\n dir_files = {}\n eocd = None\n fp.seek(0)\n while True:\n pos = fp.tell()\n signature = struct.unpack('I', fp.read(4))[0]\n if signature == 67324752:\n fp.seek(pos + 14)\n crc32 = struct.unpack('I', fp.read(4))[0]\n fp.seek(pos + 18)\n data_len = struct.unpack('I', fp.read(4))[0]\n fp.seek(pos + 26)\n name_len = struct.unpack('H', fp.read(2))[0]\n extra_len = struct.unpack('H', fp.read(2))[0]\n name_bytes = fp.read(name_len)\n fp.seek(extra_len, os.SEEK_CUR)\n data_pos = fp.tell()\n fp.seek(data_len, os.SEEK_CUR)\n local_files[pos] = name_bytes, data_pos, data_len, crc32\n elif signature == 33639248:\n fp.seek(pos + 28)\n name_len = struct.unpack('H', fp.read(2))[0]\n extra_len = struct.unpack('H', fp.read(2))[0]\n comment_len = struct.unpack('H', fp.read(2))[0]\n fp.seek(pos + 42)\n pos2 = struct.unpack('I', fp.read(4))[0]\n name_bytes = fp.read(name_len)\n fp.seek(pos + 46 + name_len + extra_len + comment_len)\n dir_files[name_bytes] = pos, pos2\n elif signature == 101010256:\n fp.seek(pos + 16)\n pos2 = struct.unpack('I', fp.read(4))[0]\n eocd = pos, pos2\n break\n else:\n raise IOError()\n return local_files, dir_files, eocd\n",
"role": "user"
},
{
"content": "parse_zip",
"role": "assistant"
}
] |
def x(fp, local_files, dir_files, name_bytes):
if name_bytes in dir_files:
fp.seek(local_files[dir_files[name_bytes][1]][1])
return numpy.load(fp)
return None
|
read_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp, local_files, dir_files, name_bytes):\n if name_bytes in dir_files:\n fp.seek(local_files[dir_files[name_bytes][1]][1])\n return numpy.load(fp)\n return None\n",
"role": "user"
},
{
"content": "read_data",
"role": "assistant"
}
] |
def x(fp, local_files, dir_files, name_bytes):
if name_bytes in dir_files:
json_pos = local_files[dir_files[name_bytes][1]][1]
json_len = local_files[dir_files[name_bytes][1]][2]
fp.seek(json_pos)
json_properties = fp.read(json_len)
return json.loads(json_properties.decode('utf-8'))
return None
|
read_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fp, local_files, dir_files, name_bytes):\n if name_bytes in dir_files:\n json_pos = local_files[dir_files[name_bytes][1]][1]\n json_len = local_files[dir_files[name_bytes][1]][2]\n fp.seek(json_pos)\n json_properties = fp.read(json_len)\n return json.loads(json_properties.decode('utf-8'))\n return None\n",
"role": "user"
},
{
"content": "read_json",
"role": "assistant"
}
] |
def x(file_path, properties):
with open(file_path, 'r+b') as fp:
local_files, dir_files, eocd = parse_zip(fp)
if (len(dir_files) == 2 and b'data.npy' in dir_files and
b'metadata.json' in dir_files and dir_files[b'data.npy'][1] == 0):
fp.seek(dir_files[b'metadata.json'][1])
dir_data_list = list()
local_file_pos = dir_files[b'data.npy'][1]
local_file = local_files[local_file_pos]
dir_data_list.append((local_file_pos, b'data.npy', local_file[2
], local_file[3]))
write_zip_fp(fp, None, properties, dir_data_list)
else:
data = None
if b'data.npy' in dir_files:
fp.seek(local_files[dir_files[b'data.npy'][1]][1])
data = numpy.load(fp)
fp.seek(0)
write_zip_fp(fp, data, properties)
|
rewrite_zip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path, properties):\n with open(file_path, 'r+b') as fp:\n local_files, dir_files, eocd = parse_zip(fp)\n if (len(dir_files) == 2 and b'data.npy' in dir_files and \n b'metadata.json' in dir_files and dir_files[b'data.npy'][1] == 0):\n fp.seek(dir_files[b'metadata.json'][1])\n dir_data_list = list()\n local_file_pos = dir_files[b'data.npy'][1]\n local_file = local_files[local_file_pos]\n dir_data_list.append((local_file_pos, b'data.npy', local_file[2\n ], local_file[3]))\n write_zip_fp(fp, None, properties, dir_data_list)\n else:\n data = None\n if b'data.npy' in dir_files:\n fp.seek(local_files[dir_files[b'data.npy'][1]][1])\n data = numpy.load(fp)\n fp.seek(0)\n write_zip_fp(fp, data, properties)\n",
"role": "user"
},
{
"content": "rewrite_zip",
"role": "assistant"
}
] |
def x(cls, file_path):
if file_path.endswith('.ndata') and os.path.exists(file_path):
try:
with open(file_path, 'r+b') as fp:
local_files, dir_files, eocd = parse_zip(fp)
contains_data = b'data.npy' in dir_files
contains_metadata = b'metadata.json' in dir_files
file_count = contains_data + contains_metadata
if len(dir_files) != file_count or file_count == 0:
return False
return True
except Exception as e:
logging.error('Exception parsing ndata file: %s', file_path)
logging.error(str(e))
return False
|
is_matching
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_path):\n if file_path.endswith('.ndata') and os.path.exists(file_path):\n try:\n with open(file_path, 'r+b') as fp:\n local_files, dir_files, eocd = parse_zip(fp)\n contains_data = b'data.npy' in dir_files\n contains_metadata = b'metadata.json' in dir_files\n file_count = contains_data + contains_metadata\n if len(dir_files) != file_count or file_count == 0:\n return False\n return True\n except Exception as e:\n logging.error('Exception parsing ndata file: %s', file_path)\n logging.error(str(e))\n return False\n",
"role": "user"
},
{
"content": "is_matching",
"role": "assistant"
}
] |
def x(self, data, file_datetime):
with self.__lock:
assert data is not None
absolute_file_path = self.__file_path
make_directory_if_needed(os.path.dirname(absolute_file_path))
properties = self.read_properties() if os.path.exists(
absolute_file_path) else dict()
write_zip(absolute_file_path, data, properties)
tz_minutes = Utility.local_utcoffset_minutes(file_datetime)
timestamp = calendar.timegm(file_datetime.timetuple()
) - tz_minutes * 60
os.utime(absolute_file_path, (time.time(), timestamp))
|
write_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, file_datetime):\n with self.__lock:\n assert data is not None\n absolute_file_path = self.__file_path\n make_directory_if_needed(os.path.dirname(absolute_file_path))\n properties = self.read_properties() if os.path.exists(\n absolute_file_path) else dict()\n write_zip(absolute_file_path, data, properties)\n tz_minutes = Utility.local_utcoffset_minutes(file_datetime)\n timestamp = calendar.timegm(file_datetime.timetuple()\n ) - tz_minutes * 60\n os.utime(absolute_file_path, (time.time(), timestamp))\n",
"role": "user"
},
{
"content": "write_data",
"role": "assistant"
}
] |
def x(self, properties, file_datetime):
with self.__lock:
absolute_file_path = self.__file_path
make_directory_if_needed(os.path.dirname(absolute_file_path))
exists = os.path.exists(absolute_file_path)
if exists:
rewrite_zip(absolute_file_path, Utility.clean_dict(properties))
else:
write_zip(absolute_file_path, None, Utility.clean_dict(properties))
tz_minutes = Utility.local_utcoffset_minutes(file_datetime)
timestamp = calendar.timegm(file_datetime.timetuple()
) - tz_minutes * 60
os.utime(absolute_file_path, (time.time(), timestamp))
|
write_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties, file_datetime):\n with self.__lock:\n absolute_file_path = self.__file_path\n make_directory_if_needed(os.path.dirname(absolute_file_path))\n exists = os.path.exists(absolute_file_path)\n if exists:\n rewrite_zip(absolute_file_path, Utility.clean_dict(properties))\n else:\n write_zip(absolute_file_path, None, Utility.clean_dict(properties))\n tz_minutes = Utility.local_utcoffset_minutes(file_datetime)\n timestamp = calendar.timegm(file_datetime.timetuple()\n ) - tz_minutes * 60\n os.utime(absolute_file_path, (time.time(), timestamp))\n",
"role": "user"
},
{
"content": "write_properties",
"role": "assistant"
}
] |
def x(self):
with self.__lock:
absolute_file_path = self.__file_path
with open(absolute_file_path, 'rb') as fp:
local_files, dir_files, eocd = parse_zip(fp)
properties = read_json(fp, local_files, dir_files, b'metadata.json'
)
return properties
|
read_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.__lock:\n absolute_file_path = self.__file_path\n with open(absolute_file_path, 'rb') as fp:\n local_files, dir_files, eocd = parse_zip(fp)\n properties = read_json(fp, local_files, dir_files, b'metadata.json'\n )\n return properties\n",
"role": "user"
},
{
"content": "read_properties",
"role": "assistant"
}
] |
def x(self):
with self.__lock:
absolute_file_path = self.__file_path
with open(absolute_file_path, 'rb') as fp:
local_files, dir_files, eocd = parse_zip(fp)
return read_data(fp, local_files, dir_files, b'data.npy')
return None
|
read_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.__lock:\n absolute_file_path = self.__file_path\n with open(absolute_file_path, 'rb') as fp:\n local_files, dir_files, eocd = parse_zip(fp)\n return read_data(fp, local_files, dir_files, b'data.npy')\n return None\n",
"role": "user"
},
{
"content": "read_data",
"role": "assistant"
}
] |
def x(self):
with self.__lock:
absolute_file_path = self.__file_path
if os.path.isfile(absolute_file_path):
os.remove(absolute_file_path)
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.__lock:\n absolute_file_path = self.__file_path\n if os.path.isfile(absolute_file_path):\n os.remove(absolute_file_path)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, display_type_menu, document_controller, display_panel):
dynamic_live_actions = list()
def x(display_panel_type):
self.switch_to_display_content(document_controller, display_panel,
display_panel_type, display_panel.display_item)
empty_action = display_type_menu.add_menu_item(_('Clear Display Panel'),
functools.partial(switch_to_display_content, 'empty-display-panel'))
display_type_menu.add_separator()
data_item_display_action = display_type_menu.add_menu_item(_(
'Display Item'), functools.partial(switch_to_display_content,
'data-display-panel'))
thumbnail_browser_action = display_type_menu.add_menu_item(_(
'Thumbnail Browser'), functools.partial(switch_to_display_content,
'thumbnail-browser-display-panel'))
grid_browser_action = display_type_menu.add_menu_item(_('Grid Browser'),
functools.partial(switch_to_display_content, 'browser-display-panel'))
display_type_menu.add_separator()
display_panel_type = display_panel.display_panel_type
empty_action.checked = (display_panel_type == 'empty' and display_panel
.display_panel_controller is None)
data_item_display_action.checked = display_panel_type == 'data_item'
thumbnail_browser_action.checked = display_panel_type == 'horizontal'
grid_browser_action.checked = display_panel_type == 'grid'
dynamic_live_actions.append(empty_action)
dynamic_live_actions.append(data_item_display_action)
dynamic_live_actions.append(thumbnail_browser_action)
dynamic_live_actions.append(grid_browser_action)
for factory in self.__display_controller_factories.values():
dynamic_live_actions.extend(factory.build_menu(display_type_menu,
display_panel))
return dynamic_live_actions
|
build_menu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, display_type_menu, document_controller, display_panel):\n dynamic_live_actions = list()\n\n def x(display_panel_type):\n self.switch_to_display_content(document_controller, display_panel,\n display_panel_type, display_panel.display_item)\n empty_action = display_type_menu.add_menu_item(_('Clear Display Panel'),\n functools.partial(switch_to_display_content, 'empty-display-panel'))\n display_type_menu.add_separator()\n data_item_display_action = display_type_menu.add_menu_item(_(\n 'Display Item'), functools.partial(switch_to_display_content,\n 'data-display-panel'))\n thumbnail_browser_action = display_type_menu.add_menu_item(_(\n 'Thumbnail Browser'), functools.partial(switch_to_display_content,\n 'thumbnail-browser-display-panel'))\n grid_browser_action = display_type_menu.add_menu_item(_('Grid Browser'),\n functools.partial(switch_to_display_content, 'browser-display-panel'))\n display_type_menu.add_separator()\n display_panel_type = display_panel.display_panel_type\n empty_action.checked = (display_panel_type == 'empty' and display_panel\n .display_panel_controller is None)\n data_item_display_action.checked = display_panel_type == 'data_item'\n thumbnail_browser_action.checked = display_panel_type == 'horizontal'\n grid_browser_action.checked = display_panel_type == 'grid'\n dynamic_live_actions.append(empty_action)\n dynamic_live_actions.append(data_item_display_action)\n dynamic_live_actions.append(thumbnail_browser_action)\n dynamic_live_actions.append(grid_browser_action)\n for factory in self.__display_controller_factories.values():\n dynamic_live_actions.extend(factory.build_menu(display_type_menu,\n display_panel))\n return dynamic_live_actions\n",
"role": "user"
},
{
"content": "build_menu",
"role": "assistant"
}
] |
def x(self):
super().persistent_object_context_changed()
def x(source):
self.__source = source
def x(source=None):
pass
def x(property_name, reference):
self.__referenced_objects[property_name] = reference
def x(property_name, reference=None):
pass
if self.persistent_object_context:
self.persistent_object_context.subscribe(self.source_uuid,
source_registered, source_unregistered)
for property_name, value in self.__properties.items():
if isinstance(value, dict) and value.get('type') in {'data_item',
'display_item', 'data_source', 'graphic', 'structure'
} and 'uuid' in value:
self.persistent_object_context.subscribe(uuid.UUID(value[
'uuid']), functools.partial(reference_registered,
property_name), functools.partial(
reference_unregistered, property_name))
else:
source_unregistered()
for property_name, value in self.__properties.items():
if isinstance(value, dict) and value.get('type') in {'data_item',
'display_item', 'data_source', 'graphic', 'structure'
} and 'uuid' in value:
reference_unregistered(property_name)
|
persistent_object_context_changed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super().persistent_object_context_changed()\n\n def x(source):\n self.__source = source\n\n def x(source=None):\n pass\n\n def x(property_name, reference):\n self.__referenced_objects[property_name] = reference\n\n def x(property_name, reference=None):\n pass\n if self.persistent_object_context:\n self.persistent_object_context.subscribe(self.source_uuid,\n source_registered, source_unregistered)\n for property_name, value in self.__properties.items():\n if isinstance(value, dict) and value.get('type') in {'data_item',\n 'display_item', 'data_source', 'graphic', 'structure'\n } and 'uuid' in value:\n self.persistent_object_context.subscribe(uuid.UUID(value[\n 'uuid']), functools.partial(reference_registered,\n property_name), functools.partial(\n reference_unregistered, property_name))\n else:\n source_unregistered()\n for property_name, value in self.__properties.items():\n if isinstance(value, dict) and value.get('type') in {'data_item',\n 'display_item', 'data_source', 'graphic', 'structure'\n } and 'uuid' in value:\n reference_unregistered(property_name)\n",
"role": "user"
},
{
"content": "persistent_object_context_changed",
"role": "assistant"
}
] |
def x(self, tipo_certificado, cnpj, codigo_uf):
resp = self._http_post('ativarsat', tipo_certificado=tipo_certificado,
cnpj=cnpj, codigo_uf=codigo_uf)
conteudo = resp.json()
return RespostaAtivarSAT.analisar(conteudo.get('retorno'))
|
ativar_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tipo_certificado, cnpj, codigo_uf):\n resp = self._http_post('ativarsat', tipo_certificado=tipo_certificado,\n cnpj=cnpj, codigo_uf=codigo_uf)\n conteudo = resp.json()\n return RespostaAtivarSAT.analisar(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "ativar_sat",
"role": "assistant"
}
] |
def x(self, certificado):
resp = self._http_post('comunicarcertificadoicpbrasil', certificado=
certificado)
conteudo = resp.json()
return RespostaSAT.comunicar_certificado_icpbrasil(conteudo.get('retorno'))
|
comunicar_certificado_icpbrasil
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, certificado):\n resp = self._http_post('comunicarcertificadoicpbrasil', certificado=\n certificado)\n conteudo = resp.json()\n return RespostaSAT.comunicar_certificado_icpbrasil(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "comunicar_certificado_icpbrasil",
"role": "assistant"
}
] |
def x(self, dados_venda):
resp = self._http_post('enviardadosvenda', dados_venda=dados_venda.
documento())
conteudo = resp.json()
return RespostaEnviarDadosVenda.analisar(conteudo.get('retorno'))
|
enviar_dados_venda
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dados_venda):\n resp = self._http_post('enviardadosvenda', dados_venda=dados_venda.\n documento())\n conteudo = resp.json()\n return RespostaEnviarDadosVenda.analisar(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "enviar_dados_venda",
"role": "assistant"
}
] |
def x(self, chave_cfe, dados_cancelamento):
resp = self._http_post('cancelarultimavenda', chave_cfe=chave_cfe,
dados_cancelamento=dados_cancelamento.documento())
conteudo = resp.json()
return RespostaCancelarUltimaVenda.analisar(conteudo.get('retorno'))
|
cancelar_ultima_venda
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chave_cfe, dados_cancelamento):\n resp = self._http_post('cancelarultimavenda', chave_cfe=chave_cfe,\n dados_cancelamento=dados_cancelamento.documento())\n conteudo = resp.json()\n return RespostaCancelarUltimaVenda.analisar(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "cancelar_ultima_venda",
"role": "assistant"
}
] |
def x(self):
resp = self._http_post('consultarsat')
conteudo = resp.json()
return RespostaSAT.consultar_sat(conteudo.get('retorno'))
|
consultar_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = self._http_post('consultarsat')\n conteudo = resp.json()\n return RespostaSAT.consultar_sat(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "consultar_sat",
"role": "assistant"
}
] |
def x(self):
resp = self._http_post('consultarstatusoperacional')
conteudo = resp.json()
return RespostaConsultarStatusOperacional.analisar(conteudo.get('retorno'))
|
consultar_status_operacional
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = self._http_post('consultarstatusoperacional')\n conteudo = resp.json()\n return RespostaConsultarStatusOperacional.analisar(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "consultar_status_operacional",
"role": "assistant"
}
] |
def x(self, numero_sessao):
resp = self._http_post('consultarnumerosessao', numero_sessao=numero_sessao
)
conteudo = resp.json()
return RespostaConsultarNumeroSessao.analisar(conteudo.get('retorno'))
|
consultar_numero_sessao
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, numero_sessao):\n resp = self._http_post('consultarnumerosessao', numero_sessao=numero_sessao\n )\n conteudo = resp.json()\n return RespostaConsultarNumeroSessao.analisar(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "consultar_numero_sessao",
"role": "assistant"
}
] |
def x(self, configuracao):
resp = self._http_post('configurarinterfacederede', configuracao=
configuracao.documento())
conteudo = resp.json()
return RespostaSAT.configurar_interface_de_rede(conteudo.get('retorno'))
|
configurar_interface_de_rede
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, configuracao):\n resp = self._http_post('configurarinterfacederede', configuracao=\n configuracao.documento())\n conteudo = resp.json()\n return RespostaSAT.configurar_interface_de_rede(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "configurar_interface_de_rede",
"role": "assistant"
}
] |
def x(self, sequencia_cnpj, assinatura_ac):
resp = self._http_post('associarassinatura', sequencia_cnpj=
sequencia_cnpj, assinatura_ac=assinatura_ac)
conteudo = resp.json()
return RespostaSAT.associar_assinatura(conteudo.get('retorno'))
|
associar_assinatura
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sequencia_cnpj, assinatura_ac):\n resp = self._http_post('associarassinatura', sequencia_cnpj=\n sequencia_cnpj, assinatura_ac=assinatura_ac)\n conteudo = resp.json()\n return RespostaSAT.associar_assinatura(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "associar_assinatura",
"role": "assistant"
}
] |
def x(self):
resp = self._http_post('atualizarsoftwaresat')
conteudo = resp.json()
return RespostaSAT.atualizar_software_sat(conteudo.get('retorno'))
|
atualizar_software_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = self._http_post('atualizarsoftwaresat')\n conteudo = resp.json()\n return RespostaSAT.atualizar_software_sat(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "atualizar_software_sat",
"role": "assistant"
}
] |
def x(self):
resp = self._http_post('extrairlogs')
conteudo = resp.json()
return RespostaExtrairLogs.analisar(conteudo.get('retorno'))
|
extrair_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = self._http_post('extrairlogs')\n conteudo = resp.json()\n return RespostaExtrairLogs.analisar(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "extrair_logs",
"role": "assistant"
}
] |
def x(self):
resp = self._http_post('bloquearsat')
conteudo = resp.json()
return RespostaSAT.bloquear_sat(conteudo.get('retorno'))
|
bloquear_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = self._http_post('bloquearsat')\n conteudo = resp.json()\n return RespostaSAT.bloquear_sat(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "bloquear_sat",
"role": "assistant"
}
] |
def x(self):
resp = self._http_post('desbloquearsat')
conteudo = resp.json()
return RespostaSAT.desbloquear_sat(conteudo.get('retorno'))
|
desbloquear_sat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resp = self._http_post('desbloquearsat')\n conteudo = resp.json()\n return RespostaSAT.desbloquear_sat(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "desbloquear_sat",
"role": "assistant"
}
] |
def x(self, novo_codigo_ativacao, opcao=constantes.CODIGO_ATIVACAO_REGULAR,
codigo_emergencia=None):
resp = self._http_post('trocarcodigodeativacao', novo_codigo_ativacao=
novo_codigo_ativacao, opcao=opcao, codigo_emergencia=codigo_emergencia)
conteudo = resp.json()
return RespostaSAT.trocar_codigo_de_ativacao(conteudo.get('retorno'))
|
trocar_codigo_de_ativacao
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, novo_codigo_ativacao, opcao=constantes.CODIGO_ATIVACAO_REGULAR,\n codigo_emergencia=None):\n resp = self._http_post('trocarcodigodeativacao', novo_codigo_ativacao=\n novo_codigo_ativacao, opcao=opcao, codigo_emergencia=codigo_emergencia)\n conteudo = resp.json()\n return RespostaSAT.trocar_codigo_de_ativacao(conteudo.get('retorno'))\n",
"role": "user"
},
{
"content": "trocar_codigo_de_ativacao",
"role": "assistant"
}
] |
def x(self, value: typing.Union[float, typing.Tuple[float, float]]) ->None:
...
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value: typing.Union[float, typing.Tuple[float, float]]) ->None:\n ...\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self) ->typing.Tuple[typing.Tuple[float, float], typing.Tuple[float,
float]]:
...
|
vector
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->typing.Tuple[typing.Tuple[float, float], typing.Tuple[float,\n float]]:\n ...\n",
"role": "user"
},
{
"content": "vector",
"role": "assistant"
}
] |
def x(self, hardware_source, channel_id: str=None, processor_id: str=None,
create_if_needed: bool=False, large_format: bool=False) ->DataItem:
...
|
get_data_item_for_hardware_source
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hardware_source, channel_id: str=None, processor_id: str=None,\n create_if_needed: bool=False, large_format: bool=False) ->DataItem:\n ...\n",
"role": "user"
},
{
"content": "get_data_item_for_hardware_source",
"role": "assistant"
}
] |
def x(self, data_item_reference_key: str=None, create_if_needed: bool=False,
large_format: bool=False) ->DataItem:
...
|
get_data_item_for_reference_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_item_reference_key: str=None, create_if_needed: bool=False,\n large_format: bool=False) ->DataItem:\n ...\n",
"role": "user"
},
{
"content": "get_data_item_for_reference_key",
"role": "assistant"
}
] |
def x(self, caption: str, text: str, accepted_fn, rejected_fn=None,
accepted_text: str=None, rejected_text: str=None) ->None:
...
|
show_get_string_message_box
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, caption: str, text: str, accepted_fn, rejected_fn=None,\n accepted_text: str=None, rejected_text: str=None) ->None:\n ...\n",
"role": "user"
},
{
"content": "show_get_string_message_box",
"role": "assistant"
}
] |
def x(self, offset: float=None, scale: float=None, units: str=None
) ->Calibration.Calibration:
...
|
create_calibration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset: float=None, scale: float=None, units: str=None\n ) ->Calibration.Calibration:\n ...\n",
"role": "user"
},
{
"content": "create_calibration",
"role": "assistant"
}
] |
def x(self, data: numpy.ndarray, intensity_calibration: Calibration.
Calibration=None, dimensional_calibrations: typing.List[Calibration.
Calibration]=None, metadata: dict=None, timestamp: str=None,
data_descriptor: DataAndMetadata.DataDescriptor=None
) ->DataAndMetadata.DataAndMetadata:
...
|
create_data_and_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: numpy.ndarray, intensity_calibration: Calibration.\n Calibration=None, dimensional_calibrations: typing.List[Calibration.\n Calibration]=None, metadata: dict=None, timestamp: str=None,\n data_descriptor: DataAndMetadata.DataDescriptor=None\n ) ->DataAndMetadata.DataAndMetadata:\n ...\n",
"role": "user"
},
{
"content": "create_data_and_metadata",
"role": "assistant"
}
] |
def x(self, data: numpy.ndarray, intensity_calibration: Calibration.
Calibration=None, dimensional_calibrations: typing.List[Calibration.
Calibration]=None, metadata: dict=None, timestamp: str=None
) ->DataAndMetadata.DataAndMetadata:
...
|
create_data_and_metadata_from_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: numpy.ndarray, intensity_calibration: Calibration.\n Calibration=None, dimensional_calibrations: typing.List[Calibration.\n Calibration]=None, metadata: dict=None, timestamp: str=None\n ) ->DataAndMetadata.DataAndMetadata:\n ...\n",
"role": "user"
},
{
"content": "create_data_and_metadata_from_data",
"role": "assistant"
}
] |
def x(self, is_sequence: bool, collection_dimension_count: int,
datum_dimension_count: int) ->DataAndMetadata.DataDescriptor:
...
|
create_data_descriptor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, is_sequence: bool, collection_dimension_count: int,\n datum_dimension_count: int) ->DataAndMetadata.DataDescriptor:\n ...\n",
"role": "user"
},
{
"content": "create_data_descriptor",
"role": "assistant"
}
] |
def x(ui, calibration_observable, label: str=None):
calibration_row = ui.create_row_widget()
row_label = ui.create_label_widget(label, properties={'width': 60})
row_label.widget_id = 'label'
offset_field = ui.create_line_edit_widget(properties={'width': 60})
offset_field.widget_id = 'offset'
scale_field = ui.create_line_edit_widget(properties={'width': 60})
scale_field.widget_id = 'scale'
units_field = ui.create_line_edit_widget(properties={'width': 60})
units_field.widget_id = 'units'
float_point_4_converter = Converter.FloatToStringConverter(format='{0:.4f}'
)
offset_field.bind_text(Binding.PropertyBinding(calibration_observable,
'offset', converter=float_point_4_converter))
scale_field.bind_text(Binding.PropertyBinding(calibration_observable,
'scale', converter=float_point_4_converter))
units_field.bind_text(Binding.PropertyBinding(calibration_observable,
'units'))
calibration_row.add(row_label)
calibration_row.add_spacing(12)
calibration_row.add(offset_field)
calibration_row.add_spacing(12)
calibration_row.add(scale_field)
calibration_row.add_spacing(12)
calibration_row.add(units_field)
calibration_row.add_stretch()
return calibration_row
|
make_calibration_row_widget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ui, calibration_observable, label: str=None):\n calibration_row = ui.create_row_widget()\n row_label = ui.create_label_widget(label, properties={'width': 60})\n row_label.widget_id = 'label'\n offset_field = ui.create_line_edit_widget(properties={'width': 60})\n offset_field.widget_id = 'offset'\n scale_field = ui.create_line_edit_widget(properties={'width': 60})\n scale_field.widget_id = 'scale'\n units_field = ui.create_line_edit_widget(properties={'width': 60})\n units_field.widget_id = 'units'\n float_point_4_converter = Converter.FloatToStringConverter(format='{0:.4f}'\n )\n offset_field.bind_text(Binding.PropertyBinding(calibration_observable,\n 'offset', converter=float_point_4_converter))\n scale_field.bind_text(Binding.PropertyBinding(calibration_observable,\n 'scale', converter=float_point_4_converter))\n units_field.bind_text(Binding.PropertyBinding(calibration_observable,\n 'units'))\n calibration_row.add(row_label)\n calibration_row.add_spacing(12)\n calibration_row.add(offset_field)\n calibration_row.add_spacing(12)\n calibration_row.add(scale_field)\n calibration_row.add_spacing(12)\n calibration_row.add(units_field)\n calibration_row.add_stretch()\n return calibration_row\n",
"role": "user"
},
{
"content": "make_calibration_row_widget",
"role": "assistant"
}
] |
def x(self, widget):
self.__section_content_column.add_spacing(4)
self.__section_content_column.add(widget)
|
add_widget_to_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, widget):\n self.__section_content_column.add_spacing(4)\n self.__section_content_column.add(widget)\n",
"role": "user"
},
{
"content": "add_widget_to_content",
"role": "assistant"
}
] |
def x(self, ui, calibration_observable):
calibration_row = make_calibration_row_widget(ui, calibration_observable)
column = ui.create_column_widget()
column.add_spacing(4)
column.add(calibration_row)
return column
|
create_list_item_widget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ui, calibration_observable):\n calibration_row = make_calibration_row_widget(ui, calibration_observable)\n column = ui.create_column_widget()\n column.add_spacing(4)\n column.add(calibration_row)\n return column\n",
"role": "user"
},
{
"content": "create_list_item_widget",
"role": "assistant"
}
] |
def x(self, drawing_context):
canvas_width = self.canvas_size[1]
canvas_height = self.canvas_size[0]
left = self.display_limits[0]
right = self.display_limits[1]
if left > 0.0:
with drawing_context.saver():
drawing_context.begin_path()
drawing_context.move_to(left * canvas_width, 1)
drawing_context.line_to(left * canvas_width, canvas_height - 1)
drawing_context.line_width = 2
drawing_context.stroke_style = '#000'
drawing_context.stroke()
if right < 1.0:
with drawing_context.saver():
drawing_context.begin_path()
drawing_context.move_to(right * canvas_width, 1)
drawing_context.line_to(right * canvas_width, canvas_height - 1)
drawing_context.line_width = 2
drawing_context.stroke_style = '#FFF'
drawing_context.stroke()
with drawing_context.saver():
drawing_context.begin_path()
drawing_context.move_to(0, canvas_height)
drawing_context.line_to(canvas_width, canvas_height)
drawing_context.line_width = 1
drawing_context.stroke_style = '#444'
drawing_context.stroke()
|
repaint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, drawing_context):\n canvas_width = self.canvas_size[1]\n canvas_height = self.canvas_size[0]\n left = self.display_limits[0]\n right = self.display_limits[1]\n if left > 0.0:\n with drawing_context.saver():\n drawing_context.begin_path()\n drawing_context.move_to(left * canvas_width, 1)\n drawing_context.line_to(left * canvas_width, canvas_height - 1)\n drawing_context.line_width = 2\n drawing_context.stroke_style = '#000'\n drawing_context.stroke()\n if right < 1.0:\n with drawing_context.saver():\n drawing_context.begin_path()\n drawing_context.move_to(right * canvas_width, 1)\n drawing_context.line_to(right * canvas_width, canvas_height - 1)\n drawing_context.line_width = 2\n drawing_context.stroke_style = '#FFF'\n drawing_context.stroke()\n with drawing_context.saver():\n drawing_context.begin_path()\n drawing_context.move_to(0, canvas_height)\n drawing_context.line_to(canvas_width, canvas_height)\n drawing_context.line_width = 1\n drawing_context.stroke_style = '#444'\n drawing_context.stroke()\n",
"role": "user"
},
{
"content": "repaint",
"role": "assistant"
}
] |
def x(self, drawing_context):
canvas_width = self.canvas_size[1]
canvas_height = self.canvas_size[0]
if self.background_color:
with drawing_context.saver():
drawing_context.begin_path()
drawing_context.move_to(0, 0)
drawing_context.line_to(canvas_width, 0)
drawing_context.line_to(canvas_width, canvas_height)
drawing_context.line_to(0, canvas_height)
drawing_context.close_path()
drawing_context.fill_style = self.background_color
drawing_context.fill()
if self.data is not None and len(self.data) > 0:
with drawing_context.saver():
drawing_context.begin_path()
binned_data = Image.rebin_1d(self.data, int(canvas_width), self
.__retained_rebin_1d) if int(canvas_width) != self.data.shape[0
] else self.data
for i in range(canvas_width):
drawing_context.move_to(i, canvas_height)
drawing_context.line_to(i, canvas_height * (1 - binned_data[i])
)
drawing_context.line_width = 1
drawing_context.stroke_style = '#444'
drawing_context.stroke()
|
repaint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, drawing_context):\n canvas_width = self.canvas_size[1]\n canvas_height = self.canvas_size[0]\n if self.background_color:\n with drawing_context.saver():\n drawing_context.begin_path()\n drawing_context.move_to(0, 0)\n drawing_context.line_to(canvas_width, 0)\n drawing_context.line_to(canvas_width, canvas_height)\n drawing_context.line_to(0, canvas_height)\n drawing_context.close_path()\n drawing_context.fill_style = self.background_color\n drawing_context.fill()\n if self.data is not None and len(self.data) > 0:\n with drawing_context.saver():\n drawing_context.begin_path()\n binned_data = Image.rebin_1d(self.data, int(canvas_width), self\n .__retained_rebin_1d) if int(canvas_width) != self.data.shape[0\n ] else self.data\n for i in range(canvas_width):\n drawing_context.move_to(i, canvas_height)\n drawing_context.line_to(i, canvas_height * (1 - binned_data[i])\n )\n drawing_context.line_width = 1\n drawing_context.stroke_style = '#444'\n drawing_context.stroke()\n",
"role": "user"
},
{
"content": "repaint",
"role": "assistant"
}
] |
def x(self, data: numpy.ndarray) ->None:
self.__color_map_data = data
self.update()
|
color_map_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: numpy.ndarray) ->None:\n self.__color_map_data = data\n self.update()\n",
"role": "user"
},
{
"content": "color_map_data",
"role": "assistant"
}
] |
def x(self, drawing_context: DrawingContext.DrawingContext):
canvas_width = self.canvas_size.width
canvas_height = self.canvas_size.height
with drawing_context.saver():
if self.__color_map_data is not None:
rgba_image = numpy.empty((4,) + self.__color_map_data.shape[:-1
], dtype=numpy.uint32)
Image.get_rgb_view(rgba_image)[:] = self.__color_map_data[numpy
.newaxis, :, :]
Image.get_alpha_view(rgba_image)[:] = 255
drawing_context.draw_image(rgba_image, 0, 0, canvas_width,
canvas_height)
|
repaint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, drawing_context: DrawingContext.DrawingContext):\n canvas_width = self.canvas_size.width\n canvas_height = self.canvas_size.height\n with drawing_context.saver():\n if self.__color_map_data is not None:\n rgba_image = numpy.empty((4,) + self.__color_map_data.shape[:-1\n ], dtype=numpy.uint32)\n Image.get_rgb_view(rgba_image)[:] = self.__color_map_data[numpy\n .newaxis, :, :]\n Image.get_alpha_view(rgba_image)[:] = 255\n drawing_context.draw_image(rgba_image, 0, 0, canvas_width,\n canvas_height)\n",
"role": "user"
},
{
"content": "repaint",
"role": "assistant"
}
] |
def x(self):
import inspect
a = inspect.getargspec(self.__init__)[0]
out = dict()
for key in a[1:]:
value = getattr(self, '_%s' % key, None)
out[key] = value
return out
|
get_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import inspect\n a = inspect.getargspec(self.__init__)[0]\n out = dict()\n for key in a[1:]:\n value = getattr(self, '_%s' % key, None)\n out[key] = value\n return out\n",
"role": "user"
},
{
"content": "get_params",
"role": "assistant"
}
] |
def x(self):
kw = self.get_params()
keys = sorted(kw.keys())
l = []
for k in keys:
n = k[0] + k[-1]
v = kw[k]
if k == 'function_set':
v = '_'.join([(x.__name__[0] + x.__name__[-1] + str(x.nargs)) for
x in kw[k]])
elif k == 'population_class':
v = kw[k].__name__
else:
v = str(v)
l.append('{0}_{1}'.format(n, v))
return '-'.join(l)
|
signature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n kw = self.get_params()\n keys = sorted(kw.keys())\n l = []\n for k in keys:\n n = k[0] + k[-1]\n v = kw[k]\n if k == 'function_set':\n v = '_'.join([(x.__name__[0] + x.__name__[-1] + str(x.nargs)) for\n x in kw[k]])\n elif k == 'population_class':\n v = kw[k].__name__\n else:\n v = str(v)\n l.append('{0}_{1}'.format(n, v))\n return '-'.join(l)\n",
"role": "user"
},
{
"content": "signature",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.