code string | signature string | docstring string | loss_without_docstring float64 | loss_with_docstring float64 | factor float64 |
|---|---|---|---|---|---|
refresh_required = self.core_config_model.apply_preliminary_config()
refresh_required |= self.gui_config_model.apply_preliminary_config()
if not self.gui_config_model.config.get_config_value("SESSION_RESTORE_ENABLED"):
import rafcon.gui.backup.session as backup_session
logger.info("Removing current session")
backup_session.reset_session()
if refresh_required:
from rafcon.gui.singleton import main_window_controller
main_window_controller.get_controller('menu_bar_controller').on_refresh_all_activate(None, None)
self._popup_message() | def _on_apply_button_clicked(self, *args) | Apply button clicked: Apply the configuration | 6.223845 | 5.950992 | 1.04585 |
old_library_name = self.library_list_store[int(path)][self.KEY_STORAGE_ID]
if old_library_name == new_library_name:
return
library_path = self.library_list_store[int(path)][self.VALUE_STORAGE_ID]
library_config = self.core_config_model.get_current_config_value("LIBRARY_PATHS", use_preliminary=True,
default={})
del library_config[old_library_name]
library_config[new_library_name] = library_path
self.core_config_model.set_preliminary_config_value("LIBRARY_PATHS", library_config)
self._select_row_by_column_value(self.view['library_tree_view'], self.library_list_store,
self.KEY_STORAGE_ID, new_library_name) | def _on_library_name_changed(self, renderer, path, new_library_name) | Callback handling a change of a library name
:param Gtk.CellRenderer renderer: Cell renderer showing the library name
:param path: Path of library within the list store
:param str new_library_name: New library name | 3.363974 | 3.358936 | 1.0015 |
library_name = self.library_list_store[int(path)][self.KEY_STORAGE_ID]
library_config = self.core_config_model.get_current_config_value("LIBRARY_PATHS", use_preliminary=True,
default={})
library_config[library_name] = new_library_path
self.core_config_model.set_preliminary_config_value("LIBRARY_PATHS", library_config)
self._select_row_by_column_value(self.view['library_tree_view'], self.library_list_store,
self.KEY_STORAGE_ID, library_name) | def _on_library_path_changed(self, renderer, path, new_library_path) | Callback handling a change of a library path
:param Gtk.CellRenderer renderer: Cell renderer showing the library path
:param path: Path of library within the list store
:param str new_library_path: New library path | 4.393106 | 4.410828 | 0.995982 |
action = self.shortcut_list_store[int(path)][self.KEY_STORAGE_ID]
old_shortcuts = self.gui_config_model.get_current_config_value("SHORTCUTS", use_preliminary=True)[action]
from ast import literal_eval
try:
new_shortcuts = literal_eval(new_shortcuts)
if not isinstance(new_shortcuts, list) and \
not all([isinstance(shortcut, string_types) for shortcut in new_shortcuts]):
raise ValueError()
except (ValueError, SyntaxError):
logger.warning("Shortcuts must be a list of strings")
new_shortcuts = old_shortcuts
shortcuts = self.gui_config_model.get_current_config_value("SHORTCUTS", use_preliminary=True, default={})
shortcuts[action] = new_shortcuts
self.gui_config_model.set_preliminary_config_value("SHORTCUTS", shortcuts)
self._select_row_by_column_value(self.view['shortcut_tree_view'], self.shortcut_list_store,
self.KEY_STORAGE_ID, action) | def _on_shortcut_changed(self, renderer, path, new_shortcuts) | Callback handling a change of a shortcut
:param Gtk.CellRenderer renderer: Cell renderer showing the shortcut
:param path: Path of shortcuts within the list store
:param str new_shortcuts: New shortcuts | 3.499081 | 3.367236 | 1.039155 |
config_key = list_store[int(path)][self.KEY_STORAGE_ID]
old_value = config_m.get_current_config_value(config_key, use_preliminary=True)
if old_value == new_value:
return
# Try to maintain the correct data type, which is extracted from the old value
if isinstance(old_value, bool):
if new_value in ["True", "true"]:
new_value = True
elif new_value in ["False", "false"]:
new_value = False
else:
logger.warning("'{}' must be a boolean value".format(config_key))
new_value = old_value
elif isinstance(old_value, (int, float)):
try:
new_value = int(new_value)
except ValueError:
try:
new_value = float(new_value)
except ValueError:
logger.warning("'{}' must be a numeric value".format(config_key))
new_value = old_value
config_m.set_preliminary_config_value(config_key, new_value) | def _on_config_value_changed(self, renderer, path, new_value, config_m, list_store) | Callback handling a change of a config value
:param Gtk.CellRenderer renderer: Cell renderer showing the shortcut
:param path: Path of shortcuts within the list store
:param ConfigModel config_m: The config model that is to be changed
:param Gtk.ListStore list_store: The list store that is to be changed | 2.42375 | 2.532436 | 0.957082 |
dialog = Gtk.Dialog(title_text, self.view["preferences_window"],
flags=0, buttons=
(Gtk.STOCK_CANCEL, Gtk.ResponseType.REJECT,
Gtk.STOCK_OK, Gtk.ResponseType.ACCEPT))
label = Gtk.Label(label=description)
label.set_padding(xpad=10, ypad=10)
dialog.vbox.pack_start(label, True, True, 0)
label.show()
self._gui_checkbox = Gtk.CheckButton(label="GUI Config")
dialog.vbox.pack_start(self._gui_checkbox, True, True, 0)
self._gui_checkbox.show()
self._core_checkbox = Gtk.CheckButton(label="Core Config")
self._core_checkbox.show()
dialog.vbox.pack_start(self._core_checkbox, True, True, 0)
response = dialog.run()
dialog.destroy()
return response | def _config_chooser_dialog(self, title_text, description) | Dialog to select which config shall be exported
:param title_text: Title text
:param description: Description | 2.222763 | 2.362332 | 0.940919 |
for key, value in dict_to_check.items():
if object_to_check is value:
return True
return False | def check_if_dict_contains_object_reference_in_values(object_to_check, dict_to_check) | Method to check if an object is inside the values of a dict.
A simple object_to_check in dict_to_check.values() does not work as it uses the __eq__ function of the object
and not the object reference.
:param object_to_check: The target object.
:param dict_to_check: The dict to search in.
:return: | 2.55808 | 3.140399 | 0.814572 |
super(StateDataFlowsListController, self).register_view(view)
def cell_text(column, cell_renderer, model, iter, container_model):
df_id = model.get_value(iter, self.ID_STORAGE_ID)
in_external = 'external' if model.get_value(iter, self.IS_EXTERNAL_STORAGE_ID) else 'internal'
if column.get_title() == 'Source State':
cell_renderer.set_property("model", self.tree_dict_combos[in_external][df_id]['from_state'])
cell_renderer.set_property("text-column", 0)
cell_renderer.set_property("has-entry", False)
elif column.get_title() == 'Source Port':
cell_renderer.set_property("model", self.tree_dict_combos[in_external][df_id]['from_key'])
cell_renderer.set_property("text-column", 0)
cell_renderer.set_property("has-entry", False)
elif column.get_title() == 'Target State':
cell_renderer.set_property("model", self.tree_dict_combos[in_external][df_id]['to_state'])
cell_renderer.set_property("text-column", 0)
cell_renderer.set_property("has-entry", False)
elif column.get_title() == 'Target Port':
cell_renderer.set_property("model", self.tree_dict_combos[in_external][df_id]['to_key'])
cell_renderer.set_property("text-column", 0)
cell_renderer.set_property("has-entry", False)
else:
logger.warning("Column has no cell_data_func %s %s" % (column.get_name(), column.get_title()))
view['from_state_col'].set_cell_data_func(view['from_state_combo'], cell_text, self.model)
view['to_state_col'].set_cell_data_func(view['to_state_combo'], cell_text, self.model)
view['from_key_col'].set_cell_data_func(view['from_key_combo'], cell_text, self.model)
view['to_key_col'].set_cell_data_func(view['to_key_combo'], cell_text, self.model)
if self.model.state.get_next_upper_library_root_state():
view['from_state_combo'].set_property("editable", False)
view['from_key_combo'].set_property("editable", False)
view['to_state_combo'].set_property("editable", False)
view['to_key_combo'].set_property("editable", False)
else:
self.connect_signal(view['from_state_combo'], "edited", self.on_combo_changed_from_state)
self.connect_signal(view['from_key_combo'], "edited", self.on_combo_changed_from_key)
self.connect_signal(view['to_state_combo'], "edited", self.on_combo_changed_to_state)
self.connect_signal(view['to_key_combo'], "edited", self.on_combo_changed_to_key)
self.tree_view.connect("grab-focus", self.on_focus)
self.update(initiator='"register view"') | def register_view(self, view) | Called when the View was registered | 2.066969 | 2.060462 | 1.003158 |
assert model.data_flow.parent is self.model.state or model.data_flow.parent is self.model.parent.state
gui_helper_state_machine.delete_core_element_of_model(model) | def remove_core_element(self, model) | Remove respective core element of handed data flow model
:param DataFlowModel model: Data Flow model which core element should be removed
:return: | 11.193481 | 10.059389 | 1.11274 |
super(StateDataFlowsEditorController, self).register_view(view)
view['add_d_button'].connect('clicked', self.df_list_ctrl.on_add)
view['remove_d_button'].connect('clicked', self.df_list_ctrl.on_remove)
view['connected_to_d_checkbutton'].connect('toggled', self.toggled_button, 'data_flows_external')
view['internal_d_checkbutton'].connect('toggled', self.toggled_button, 'data_flows_internal')
if isinstance(self.model.state, LibraryState):
view['internal_d_checkbutton'].set_sensitive(False)
view['internal_d_checkbutton'].set_active(False)
if self.model.parent is not None and isinstance(self.model.parent.state, LibraryState) or \
self.model.state.get_next_upper_library_root_state():
view['add_d_button'].set_sensitive(False)
view['remove_d_button'].set_sensitive(False)
if self.model.state.is_root_state:
self.df_list_ctrl.view_dict['data_flows_external'] = False
view['connected_to_d_checkbutton'].set_active(False)
if not isinstance(self.model, ContainerStateModel):
self.df_list_ctrl.view_dict['data_flows_internal'] = False
view['internal_d_checkbutton'].set_active(False) | def register_view(self, view) | Called when the View was registered
Can be used e.g. to connect signals. Here, the destroy signal is connected to close the application | 2.788078 | 2.88951 | 0.964897 |
# load default input data for the state
self._root_state.input_data = self._root_state.get_default_input_values_for_state(self._root_state)
self._root_state.output_data = self._root_state.create_output_dictionary_for_state(self._root_state)
new_execution_history = self._add_new_execution_history()
new_execution_history.push_state_machine_start_history_item(self, run_id_generator())
self._root_state.start(new_execution_history) | def start(self) | Starts the execution of the root state. | 4.690015 | 4.170424 | 1.12459 |
self._root_state.join()
# execution finished, close execution history log file (if present)
if len(self._execution_histories) > 0:
if self._execution_histories[-1].execution_history_storage is not None:
set_read_and_writable_for_all = global_config.get_config_value("EXECUTION_LOG_SET_READ_AND_WRITABLE_FOR_ALL", False)
self._execution_histories[-1].execution_history_storage.close(set_read_and_writable_for_all)
from rafcon.core.states.state import StateExecutionStatus
self._root_state.state_execution_status = StateExecutionStatus.INACTIVE | def join(self) | Wait for root state to finish execution | 5.126686 | 4.563489 | 1.123414 |
state_v = self.parent
center = self.handle.pos
margin = self.port_side_size / 4.
if self.side in [SnappedSide.LEFT, SnappedSide.RIGHT]:
height, width = self.port_size
else:
width, height = self.port_size
upper_left = center[0] - width / 2 - margin, center[1] - height / 2 - margin
lower_right = center[0] + width / 2 + margin, center[1] + height / 2 + margin
port_upper_left = view.get_matrix_i2v(state_v).transform_point(*upper_left)
port_lower_right = view.get_matrix_i2v(state_v).transform_point(*lower_right)
size = port_lower_right[0] - port_upper_left[0], port_lower_right[1] - port_upper_left[1]
return port_upper_left[0], port_upper_left[1], size[0], size[1] | def get_port_area(self, view) | Calculates the drawing area affected by the (hovered) port | 2.501362 | 2.403247 | 1.040826 |
c = context
width, height = self.port_size
c.set_line_width(self.port_side_size * 0.03 * self._port_image_cache.multiplicator)
# Save/restore context, as we move and rotate the connector to the desired pose
c.save()
c.rel_move_to(self.port_side_size / 2., self.port_side_size / 2.)
PortView._rotate_context(c, direction)
PortView._draw_single_connector(c, width, height)
c.restore()
# Colorize the generated connector path
if self.connected:
c.set_source_rgba(*gap_draw_helper.get_col_rgba(color, transparency))
else:
c.set_source_rgb(*gui_config.gtk_colors['PORT_UNCONNECTED'].to_floats())
c.fill_preserve()
c.set_source_rgba(*gap_draw_helper.get_col_rgba(color, transparency))
c.stroke() | def _draw_simple_state_port(self, context, direction, color, transparency) | Draw the port of a simple state (ExecutionState, LibraryState)
Connector for execution states can only be connected to the outside. Thus the connector fills the whole
border of the state.
:param context: Cairo context
:param direction: The direction the port is pointing to
:param color: Desired color of the port
:param transparency: The level of transparency | 5.181937 | 5.368675 | 0.965217 |
c = context
width, height = self.port_size
c.set_line_width(self.port_side_size / constants.BORDER_WIDTH_OUTLINE_WIDTH_FACTOR *
self._port_image_cache.multiplicator)
# Save/restore context, as we move and rotate the connector to the desired pose
cur_point = c.get_current_point()
c.save()
c.rel_move_to(self.port_side_size / 2., self.port_side_size / 2.)
PortView._rotate_context(c, direction)
PortView._draw_inner_connector(c, width, height)
c.restore()
if self.connected_incoming:
c.set_source_rgba(*gap_draw_helper.get_col_rgba(color, transparency))
else:
c.set_source_rgb(*gui_config.gtk_colors['PORT_UNCONNECTED'].to_floats())
c.fill_preserve()
c.set_source_rgba(*gap_draw_helper.get_col_rgba(color, transparency))
c.stroke()
c.move_to(*cur_point)
c.save()
c.rel_move_to(self.port_side_size / 2., self.port_side_size / 2.)
PortView._rotate_context(c, direction)
PortView._draw_outer_connector(c, width, height)
c.restore()
if self.connected_outgoing:
c.set_source_rgba(*gap_draw_helper.get_col_rgba(color, transparency))
else:
c.set_source_rgb(*gui_config.gtk_colors['PORT_UNCONNECTED'].to_floats())
c.fill_preserve()
c.set_source_rgba(*gap_draw_helper.get_col_rgba(color, transparency))
c.stroke() | def _draw_container_state_port(self, context, direction, color, transparency) | Draw the port of a container state
Connector for container states are split in an inner connector and an outer connector.
:param context: Cairo context
:param direction: The direction the port is pointing to
:param color: Desired color of the port
:param float transparency: The level of transparency | 2.897928 | 2.877116 | 1.007234 |
c = context
# Current pos is center
# Arrow is drawn upright
arrow_height = height / 2.0
# First move to bottom left corner
c.rel_move_to(-width / 2., height / 2.)
# Draw line to bottom right corner
c.rel_line_to(width, 0)
# Draw line to upper right corner
c.rel_line_to(0, -(height - arrow_height))
# Draw line to center top (arrow)
c.rel_line_to(-width / 2., -arrow_height)
# Draw line to upper left corner
c.rel_line_to(-width / 2., arrow_height)
# Draw line back to the origin (lower left corner)
c.close_path() | def _draw_single_connector(context, width, height) | Draw the connector for execution states
Connector for execution states can only be connected to the outside. Thus the connector fills the whole
border of the state.
:param context: Cairo context
:param float port_size: The side length of the port | 3.530272 | 3.762968 | 0.938162 |
c = context
# Current pos is center
# Arrow is drawn upright
gap = height / 6.
connector_height = (height - gap) / 2.
# First move to bottom left corner
c.rel_move_to(-width / 2., height / 2.)
# Draw inner connector (rectangle)
c.rel_line_to(width, 0)
c.rel_line_to(0, -connector_height)
c.rel_line_to(-width, 0)
c.close_path() | def _draw_inner_connector(context, width, height) | Draw the connector for container states
Connector for container states can be connected from the inside and the outside. Thus the connector is split
in two parts: A rectangle on the inside and an arrow on the outside. This methods draws the inner rectangle.
:param context: Cairo context
:param float port_size: The side length of the port | 4.374054 | 4.635714 | 0.943556 |
c = context
# Current pos is center
# Arrow is drawn upright
arrow_height = height / 2.5
gap = height / 6.
connector_height = (height - gap) / 2.
# Move to bottom left corner of outer connector
c.rel_move_to(-width / 2., -gap / 2.)
# Draw line to bottom right corner
c.rel_line_to(width, 0)
# Draw line to upper right corner
c.rel_line_to(0, -(connector_height - arrow_height))
# Draw line to center top (arrow)
c.rel_line_to(-width / 2., -arrow_height)
# Draw line to upper left corner
c.rel_line_to(-width / 2., arrow_height)
# Draw line back to the origin (lower left corner)
c.close_path() | def _draw_outer_connector(context, width, height) | Draw the outer connector for container states
Connector for container states can be connected from the inside and the outside. Thus the connector is split
in two parts: A rectangle on the inside and an arrow on the outside. This method draws the outer arrow.
:param context: Cairo context
:param float port_size: The side length of the port | 3.654794 | 3.822615 | 0.956098 |
c = context
# First move to upper left corner
c.rel_move_to(-width / 2., -height / 2.)
# Draw closed rectangle
c.rel_line_to(width, 0)
c.rel_line_to(0, height)
c.rel_line_to(-width, 0)
c.close_path() | def _draw_rectangle(context, width, height) | Draw a rectangle
Assertion: The current point is the center point of the rectangle
:param context: Cairo context
:param width: Width of the rectangle
:param height: Height of the rectangle | 2.784002 | 2.964811 | 0.939015 |
if direction is Direction.UP:
pass
elif direction is Direction.RIGHT:
context.rotate(deg2rad(90))
elif direction is Direction.DOWN:
context.rotate(deg2rad(180))
elif direction is Direction.LEFT:
context.rotate(deg2rad(-90)) | def _rotate_context(context, direction) | Moves the current position to 'position' and rotates the context according to 'direction'
:param context: Cairo context
:param direction: Direction enum | 2.084343 | 2.206786 | 0.944515 |
c = context
cairo_context = c
if isinstance(c, CairoBoundingBoxContext):
cairo_context = c._cairo
# c.set_antialias(Antialias.GOOD)
side_length = self.port_side_size
layout = PangoCairo.create_layout(cairo_context)
font_name = constants.INTERFACE_FONT
font_size = gap_draw_helper.FONT_SIZE
font = FontDescription(font_name + " " + str(font_size))
layout.set_font_description(font)
layout.set_text(self.name, -1)
ink_extents, logical_extents = layout.get_extents()
extents = [extent / float(SCALE) for extent in [logical_extents.x, logical_extents.y,
logical_extents.width, logical_extents.height]]
real_name_size = extents[2], extents[3]
desired_height = side_length * 0.75
scale_factor = real_name_size[1] / desired_height
# Determine the size of the text, increase the width to have more margin left and right of the text
margin = side_length / 4.
name_size = real_name_size[0] / scale_factor, desired_height
name_size_with_margin = name_size[0] + margin * 2, name_size[1] + margin * 2
# Only the size is required, stop here
if only_calculate_size:
return name_size_with_margin
# Current position is the center of the port rectangle
c.save()
if self.side is SnappedSide.RIGHT or self.side is SnappedSide.LEFT:
c.rotate(deg2rad(-90))
c.rel_move_to(-name_size[0] / 2, -name_size[1] / 2)
c.scale(1. / scale_factor, 1. / scale_factor)
c.rel_move_to(-extents[0], -extents[1])
c.set_source_rgba(*gap_draw_helper.get_col_rgba(self.text_color, transparency))
PangoCairo.update_layout(cairo_context, layout)
PangoCairo.show_layout(cairo_context, layout)
c.restore()
return name_size_with_margin | def draw_name(self, context, transparency, only_calculate_size=False) | Draws the name of the port
Offers the option to only calculate the size of the name.
:param context: The context to draw on
:param transparency: The transparency of the text
:param only_calculate_size: Whether to only calculate the size
:return: Size of the name
:rtype: float, float | 3.490672 | 3.414052 | 1.022443 |
c = context
# Current position is the center of the rectangle
c.save()
if self.side is SnappedSide.LEFT or self.side is SnappedSide.RIGHT:
c.rotate(deg2rad(90))
c.rel_move_to(-width / 2., - height / 2.)
c.rel_line_to(width, 0)
c.rel_line_to(0, height)
c.rel_line_to(-width, 0)
c.close_path()
c.restore()
if only_get_extents:
extents = c.path_extents()
c.new_path()
return extents | def _draw_rectangle_path(self, context, width, height, only_get_extents=False) | Draws the rectangle path for the port
The rectangle is correctly rotated. Height therefore refers to the border thickness and width to the length
of the port.
:param context: The context to draw on
:param float width: The width of the rectangle
:param float height: The height of the rectangle | 2.78568 | 2.968282 | 0.938482 |
x, y = self.pos.x.value, self.pos.y.value
if self.side is SnappedSide.TOP or self.side is SnappedSide.BOTTOM:
if x - width / 2. < 0:
x = width / 2
elif x + width / 2. > self.parent.width:
x = self.parent.width - width / 2.
else:
if y - width / 2. < 0:
y = width / 2
elif y + width / 2. > self.parent.height:
y = self.parent.height - width / 2.
return x, y | def _get_port_center_position(self, width) | Calculates the center position of the port rectangle
The port itself can be positioned in the corner, the center of the port rectangle however is restricted by
the width of the rectangle. This method therefore calculates the center, depending on the position of the
port and the width of the rectangle.
:param float width: The width of the rectangle
:return: The center position of the rectangle
:rtype: float, float | 1.975249 | 1.964618 | 1.005411 |
shortcut_manager.add_callback_for_action('rename', self.rename_selected_state)
super(StatesEditorController, self).register_actions(shortcut_manager) | def register_actions(self, shortcut_manager) | Register callback methods for triggered actions
:param rafcon.gui.shortcut_manager.ShortcutManager shortcut_manager: Shortcut Manager Object holding mappings
between shortcuts and actions. | 7.63071 | 6.763172 | 1.128274 |
config_key = info['args'][1]
# config_value = info['args'][2]
if config_key == "SOURCE_EDITOR_STYLE":
self.reload_style() | def on_config_value_changed(self, config_m, prop_name, info) | Callback when a config value has been changed
:param ConfigModel config_m: The config model that has been changed
:param str prop_name: Should always be 'config'
:param dict info: Information e.g. about the changed config key | 7.82051 | 10.05301 | 0.777927 |
page_id = self.view.notebook.get_current_page()
if page_id == -1:
return None
page = self.view.notebook.get_nth_page(page_id)
state_identifier = self.get_state_identifier_for_page(page)
return self.tabs[state_identifier]['state_m'] | def get_current_state_m(self) | Returns the state model of the currently open tab | 3.600548 | 3.188548 | 1.129212 |
if self.current_state_machine_m is not None:
selection = self.current_state_machine_m.selection
if len(selection.states) > 0:
self.activate_state_tab(selection.get_selected_state()) | def state_machine_manager_notification(self, model, property, info) | Triggered whenever a new state machine is created, or an existing state machine is selected. | 5.576884 | 5.050957 | 1.104124 |
tabs_to_close = []
for state_identifier, tab_dict in list(self.tabs.items()):
if tab_dict['sm_id'] not in self.model.state_machine_manager.state_machines:
tabs_to_close.append(state_identifier)
for state_identifier, tab_dict in list(self.closed_tabs.items()):
if tab_dict['sm_id'] not in self.model.state_machine_manager.state_machines:
tabs_to_close.append(state_identifier)
for state_identifier in tabs_to_close:
self.close_page(state_identifier, delete=True) | def clean_up_tabs(self) | Method remove state-tabs for those no state machine exists anymore. | 2.53805 | 2.204739 | 1.15118 |
if info['method_name'] == '__setitem__':
state_machine_m = info.args[1]
self.observe_model(state_machine_m) | def state_machines_set_notification(self, model, prop_name, info) | Observe all open state machines and their root states | 8.18209 | 7.564607 | 1.081628 |
if info['method_name'] == '__delitem__':
state_machine_m = info["result"]
try:
self.relieve_model(state_machine_m)
except KeyError:
pass
self.clean_up_tabs() | def state_machines_del_notification(self, model, prop_name, info) | Relive models of closed state machine | 8.918965 | 7.322429 | 1.218034 |
state_identifier = self.get_state_identifier(state_m)
if state_identifier in self.closed_tabs:
state_editor_ctrl = self.closed_tabs[state_identifier]['controller']
state_editor_view = state_editor_ctrl.view
handler_id = self.closed_tabs[state_identifier]['source_code_changed_handler_id']
source_code_view_is_dirty = self.closed_tabs[state_identifier]['source_code_view_is_dirty']
del self.closed_tabs[state_identifier] # pages not in self.closed_tabs and self.tabs at the same time
else:
state_editor_view = StateEditorView()
if isinstance(state_m, LibraryStateModel):
state_editor_view['main_notebook_1'].set_current_page(
state_editor_view['main_notebook_1'].page_num(state_editor_view.page_dict["Data Linkage"]))
state_editor_ctrl = StateEditorController(state_m, state_editor_view)
self.add_controller(state_identifier, state_editor_ctrl)
if state_editor_ctrl.get_controller('source_ctrl') and state_m.state.get_next_upper_library_root_state() is None:
# observe changed to set the mark dirty flag
handler_id = state_editor_view.source_view.get_buffer().connect('changed', self.script_text_changed,
state_m)
self.view.get_top_widget().connect('draw', state_editor_view.source_view.on_draw)
else:
handler_id = None
source_code_view_is_dirty = False
(tab, inner_label, sticky_button) = create_tab_header('', self.on_tab_close_clicked,
self.on_toggle_sticky_clicked, state_m)
set_tab_label_texts(inner_label, state_m, source_code_view_is_dirty)
state_editor_view.get_top_widget().title_label = inner_label
state_editor_view.get_top_widget().sticky_button = sticky_button
page_content = state_editor_view.get_top_widget()
page_id = self.view.notebook.prepend_page(page_content, tab)
page = self.view.notebook.get_nth_page(page_id)
self.view.notebook.set_tab_reorderable(page, True)
page.show_all()
self.view.notebook.show()
self.tabs[state_identifier] = {'page': page, 'state_m': state_m,
'controller': state_editor_ctrl, 'sm_id': self.model.selected_state_machine_id,
'is_sticky': False,
'source_code_view_is_dirty': source_code_view_is_dirty,
'source_code_changed_handler_id': handler_id}
return page_id | def add_state_editor(self, state_m) | Triggered whenever a state is selected.
:param state_m: The selected state model. | 3.464252 | 3.52117 | 0.983835 |
state_identifier = self.get_state_identifier(state_m)
if state_identifier in self.tabs:
tab_list = self.tabs
elif state_identifier in self.closed_tabs:
tab_list = self.closed_tabs
else:
logger.warning('It was tried to check a source script of a state with no state-editor')
return
if tab_list[state_identifier]['controller'].get_controller('source_ctrl') is None:
logger.warning('It was tried to check a source script of a state with no source-editor')
return
current_text = tab_list[state_identifier]['controller'].get_controller('source_ctrl').view.get_text()
old_is_dirty = tab_list[state_identifier]['source_code_view_is_dirty']
source_script_state_m = state_m.state_copy if isinstance(state_m, LibraryStateModel) else state_m
# remove next two lines and tab is also set dirty for source scripts inside of a LibraryState (maybe in future)
if isinstance(state_m, LibraryStateModel) or state_m.state.get_next_upper_library_root_state() is not None:
return
if source_script_state_m.state.script_text == current_text:
tab_list[state_identifier]['source_code_view_is_dirty'] = False
else:
tab_list[state_identifier]['source_code_view_is_dirty'] = True
if old_is_dirty is not tab_list[state_identifier]['source_code_view_is_dirty']:
self.update_tab_label(source_script_state_m) | def script_text_changed(self, text_buffer, state_m) | Update gui elements according text buffer changes
Checks if the dirty flag needs to be set and the tab label to be updated.
:param TextBuffer text_buffer: Text buffer of the edited script
:param rafcon.gui.models.state.StateModel state_m: The state model related to the text buffer
:return: | 3.77999 | 3.755959 | 1.006398 |
# logger.info("destroy page %s" % tab_dict['controller'].model.state.get_path())
if tab_dict['source_code_changed_handler_id'] is not None:
handler_id = tab_dict['source_code_changed_handler_id']
if tab_dict['controller'].view.source_view.get_buffer().handler_is_connected(handler_id):
tab_dict['controller'].view.source_view.get_buffer().disconnect(handler_id)
else:
logger.warning("Source code changed handler of state {0} was already removed.".format(tab_dict['state_m']))
self.remove_controller(tab_dict['controller']) | def destroy_page(self, tab_dict) | Destroys desired page
Disconnects the page from signals and removes interconnection to parent-controller or observables.
:param tab_dict: Tab-dictionary that holds all necessary information of a page and state-editor. | 4.103363 | 4.107583 | 0.998973 |
# delete old controller references
if delete and state_identifier in self.closed_tabs:
self.destroy_page(self.closed_tabs[state_identifier])
del self.closed_tabs[state_identifier]
# check for open page of state
if state_identifier in self.tabs:
page_to_close = self.tabs[state_identifier]['page']
current_page_id = self.view.notebook.page_num(page_to_close)
if not delete:
self.closed_tabs[state_identifier] = self.tabs[state_identifier]
else:
self.destroy_page(self.tabs[state_identifier])
del self.tabs[state_identifier]
# Finally remove the page, this triggers the callback handles on_switch_page
self.view.notebook.remove_page(current_page_id) | def close_page(self, state_identifier, delete=True) | Closes the desired page
The page belonging to the state with the specified state_identifier is closed. If the deletion flag is set to
False, the controller of the page is stored for later usage.
:param state_identifier: Identifier of the page's state
:param delete: Whether to delete the controller (deletion is necessary if teh state is deleted) | 3.414668 | 3.316875 | 1.029483 |
for state_identifier, page_info in list(self.tabs.items()):
if page_info['state_m'] is state_m:
return page_info['page'], state_identifier
return None, None | def find_page_of_state_m(self, state_m) | Return the identifier and page of a given state model
:param state_m: The state model to be searched
:return: page containing the state and the state_identifier | 4.331541 | 3.999563 | 1.083003 |
[page, state_identifier] = self.find_page_of_state_m(state_m)
if page:
self.close_page(state_identifier, delete=False) | def on_tab_close_clicked(self, event, state_m) | Triggered when the states-editor close button is clicked
Closes the tab.
:param state_m: The desired state model (the selected state) | 6.912268 | 9.219593 | 0.749737 |
[page, state_identifier] = self.find_page_of_state_m(state_m)
if not page:
return
self.tabs[state_identifier]['is_sticky'] = not self.tabs[state_identifier]['is_sticky']
page.sticky_button.set_active(self.tabs[state_identifier]['is_sticky']) | def on_toggle_sticky_clicked(self, event, state_m) | Callback for the "toggle-sticky-check-button" emitted by custom TabLabel widget. | 3.589506 | 3.345207 | 1.073029 |
states_to_be_closed = []
for state_identifier in self.tabs:
states_to_be_closed.append(state_identifier)
for state_identifier in states_to_be_closed:
self.close_page(state_identifier, delete=False) | def close_all_pages(self) | Closes all tabs of the states editor | 3.610941 | 2.94552 | 1.22591 |
states_to_be_closed = []
for state_identifier in self.tabs:
state_m = self.tabs[state_identifier]["state_m"]
if state_m.state.get_state_machine().state_machine_id == sm_id:
states_to_be_closed.append(state_identifier)
for state_identifier in states_to_be_closed:
self.close_page(state_identifier, delete=False) | def close_pages_for_specific_sm_id(self, sm_id) | Closes all tabs of the states editor for a specific sm_id | 3.110053 | 2.782727 | 1.117628 |
page = notebook.get_nth_page(page_num)
# find state of selected tab
for tab_info in list(self.tabs.values()):
if tab_info['page'] is page:
state_m = tab_info['state_m']
sm_id = state_m.state.get_state_machine().state_machine_id
selected_state_m = self.current_state_machine_m.selection.get_selected_state()
# If the state of the selected tab is not in the selection, set it there
if selected_state_m is not state_m and sm_id in self.model.state_machine_manager.state_machines:
self.model.selected_state_machine_id = sm_id
self.current_state_machine_m.selection.set(state_m)
return | def on_switch_page(self, notebook, page_pointer, page_num, user_param1=None) | Update state selection when the active tab was changed | 4.02425 | 3.813593 | 1.055238 |
# The current shown state differs from the desired one
current_state_m = self.get_current_state_m()
if current_state_m is not state_m:
state_identifier = self.get_state_identifier(state_m)
# The desired state is not open, yet
if state_identifier not in self.tabs:
# add tab for desired state
page_id = self.add_state_editor(state_m)
self.view.notebook.set_current_page(page_id)
# bring tab for desired state into foreground
else:
page = self.tabs[state_identifier]['page']
page_id = self.view.notebook.page_num(page)
self.view.notebook.set_current_page(page_id)
self.keep_only_sticked_and_selected_tabs() | def activate_state_tab(self, state_m) | Opens the tab for the specified state model
The tab with the given state model is opened or set to foreground.
:param state_m: The desired state model (the selected state) | 4.031179 | 4.044315 | 0.996752 |
# Only if the user didn't deactivate this behaviour
if not global_gui_config.get_config_value('KEEP_ONLY_STICKY_STATES_OPEN', True):
return
page_id = self.view.notebook.get_current_page()
# No tabs are open
if page_id == -1:
return
page = self.view.notebook.get_nth_page(page_id)
current_state_identifier = self.get_state_identifier_for_page(page)
states_to_be_closed = []
# Iterate over all tabs
for state_identifier, tab_info in list(self.tabs.items()):
# If the tab is currently open, keep it open
if current_state_identifier == state_identifier:
continue
# If the tab is sticky, keep it open
if tab_info['is_sticky']:
continue
# Otherwise close it
states_to_be_closed.append(state_identifier)
for state_identifier in states_to_be_closed:
self.close_page(state_identifier, delete=False) | def keep_only_sticked_and_selected_tabs(self) | Close all tabs, except the currently active one and all sticked ones | 3.287895 | 3.159964 | 1.040485 |
if model is not self.current_state_machine_m or len(self.current_state_machine_m.ongoing_complex_actions) > 0:
return
state_machine_m = model
assert isinstance(state_machine_m.selection, Selection)
if len(state_machine_m.selection.states) == 1 and len(state_machine_m.selection) == 1:
self.activate_state_tab(state_machine_m.selection.get_selected_state()) | def selection_notification(self, model, property, info) | If a single state is selected, open the corresponding tab | 4.303152 | 3.95606 | 1.087737 |
# avoid updates or checks because of execution status updates
if is_execution_status_update_notification_from_state_machine_model(prop_name, info):
return
overview = NotificationOverview(info, False, self.__class__.__name__)
changed_model = overview['model'][-1]
method_name = overview['method_name'][-1]
if isinstance(changed_model, AbstractStateModel) and method_name in ['name', 'script_text']:
self.update_tab_label(changed_model) | def notify_state_name_change(self, model, prop_name, info) | Checks whether the name of a state was changed and change the tab label accordingly | 9.614471 | 8.658356 | 1.110427 |
state_identifier = self.get_state_identifier(state_m)
if state_identifier not in self.tabs and state_identifier not in self.closed_tabs:
return
tab_info = self.tabs[state_identifier] if state_identifier in self.tabs else self.closed_tabs[state_identifier]
page = tab_info['page']
set_tab_label_texts(page.title_label, state_m, tab_info['source_code_view_is_dirty']) | def update_tab_label(self, state_m) | Update all tab labels
:param rafcon.state_machine.states.state.State state_m: State model who's tab label is to be updated | 3.672212 | 3.975778 | 0.923646 |
for identifier, page_info in list(self.tabs.items()):
if page_info["page"] is page: # reference comparison on purpose
return identifier | def get_state_identifier_for_page(self, page) | Return the state identifier for a given page | 9.670745 | 8.561078 | 1.129618 |
selection = self.current_state_machine_m.selection
if len(selection.states) == 1 and len(selection) == 1:
selected_state = selection.get_selected_state()
self.activate_state_tab(selected_state)
_, state_identifier = self.find_page_of_state_m(selected_state)
state_controller = self.tabs[state_identifier]['controller']
state_controller.rename() | def rename_selected_state(self, key_value, modifier_mask) | Callback method for shortcut action rename
Searches for a single selected state model and open the according page. Page is created if it is not
existing. Then the rename method of the state controller is called.
:param key_value:
:param modifier_mask: | 5.602394 | 5.648518 | 0.991834 |
semantic_data_id_counter = -1
while True:
semantic_data_id_counter += 1
if "semantic data key " + str(semantic_data_id_counter) not in used_semantic_keys:
break
return "semantic data key " + str(semantic_data_id_counter) | def generate_semantic_data_key(used_semantic_keys) | Create a new and unique semantic data key
:param list used_semantic_keys: Handed list of keys already in use
:rtype: str
:return: semantic_data_id | 2.379038 | 2.461093 | 0.966659 |
new_state_id = ''.join(random.choice(chars) for x in range(size))
while used_state_ids is not None and new_state_id in used_state_ids:
new_state_id = ''.join(random.choice(chars) for x in range(size))
return new_state_id | def state_id_generator(size=STATE_ID_LENGTH, chars=string.ascii_uppercase, used_state_ids=None) | Create a new and unique state id
Generates an id for a state. It randomly samples from random ascii uppercase letters size times
and concatenates them. If the id already exists it draws a new one.
:param size: the length of the generated keys
:param chars: the set of characters a sample draws from
:param list used_state_ids: Handed list of ids already in use
:rtype: str
:return: new_state_id | 1.56592 | 1.714835 | 0.913161 |
new_global_variable_id = ''.join(random.choice(chars) for x in range(size))
while new_global_variable_id in used_global_variable_ids:
new_global_variable_id = ''.join(random.choice(chars) for x in range(size))
used_global_variable_ids.append(new_global_variable_id)
return new_global_variable_id | def global_variable_id_generator(size=10, chars=string.ascii_uppercase) | Create a new and unique global variable id
Generates an id for a global variable. It randomly samples from random ascii uppercase letters size times
and concatenates them. If the id already exists it draws a new one.
:param size: the length of the generated keys
:param chars: the set of characters a sample draws from | 1.491206 | 1.742993 | 0.855544 |
glColor4f(self.r, self.g, self.b, self.a) | def set(self) | Set the color as current OpenGL color | 4.165053 | 2.525102 | 1.64946 |
# Obtain a reference to the OpenGL drawable
# and rendering context.
gldrawable = self.get_gl_drawable()
glcontext = self.get_gl_context()
# logger.debug("configure")
# OpenGL begin
if not gldrawable or not gldrawable.gl_begin(glcontext):
return False
# Draw on the full viewport
glViewport(0, 0, self.get_allocation().width, self.get_allocation().height)
glMatrixMode(GL_PROJECTION)
glLoadIdentity()
# Orthogonal view with correct aspect ratio
self._apply_orthogonal_view()
glMatrixMode(GL_MODELVIEW)
glLoadIdentity()
# OpenGL end
gldrawable.gl_end()
return False | def _configure(self, *args) | Configure viewport
This method is called when the widget is resized or something triggers a redraw. The method configures the
view to show all elements in an orthogonal perspective. | 3.97844 | 3.626659 | 1.096998 |
left, right, _, _ = self.get_view_coordinates()
width = right - left
display_width = self.get_allocation().width
return display_width / float(width) | def pixel_to_size_ratio(self) | Calculates the ratio between pixel and OpenGL distances
OpenGL keeps its own coordinate system. This method can be used to transform between pixel and OpenGL
coordinates.
:return: pixel/size ratio | 5.92576 | 7.105135 | 0.834011 |
# Obtain a reference to the OpenGL drawable
# and rendering context.
gldrawable = self.get_gl_drawable()
glcontext = self.get_gl_context()
# OpenGL begin
if not gldrawable or not gldrawable.gl_begin(glcontext):
return False
# logger.debug("expose_init")
# Reset buffers
glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT)
# Prepare name stack
glInitNames()
glPushName(0)
self.name_counter = 1
return False | def expose_init(self, *args) | Process the drawing routine | 5.272615 | 5.092952 | 1.035277 |
# Obtain a reference to the OpenGL drawable
# and rendering context.
gldrawable = self.get_gl_drawable()
# glcontext = self.get_gl_context()
if not gldrawable:
return
# Put the buffer on the screen!
if gldrawable.is_double_buffered():
gldrawable.swap_buffers()
else:
glFlush()
# OpenGL end
gldrawable.gl_end() | def expose_finish(self, *args) | Finish drawing process | 5.350825 | 5.07171 | 1.055034 |
if not waypoints:
waypoints = []
# "Generate" unique ID for each object
id = self.name_counter
self.name_counter += 1
glPushName(id)
self._set_closest_stroke_width(width)
color = self.transition_color if not selected else self.transition_selected_color
color.set()
points = [from_pos]
points.extend(waypoints)
last_p = to_pos # Transition endpoint
sec_last_p = points[len(points) - 1] # Point before endpoint
# Calculate max possible arrow length
length = min(width, dist(sec_last_p, last_p) / 2.)
mid, p2, p3 = self._calculate_arrow_points(last_p, sec_last_p, length)
self._draw_triangle(last_p, p2, p3, depth, fill_color=color)
points.append(mid)
# Draw the transitions as simple straight line connecting start- way- and endpoints
glBegin(GL_LINE_STRIP)
for point in points:
glVertex3f(point[0], point[1], depth)
glEnd()
self._set_closest_stroke_width(width / 1.5)
for waypoint in waypoints:
self._draw_circle(waypoint[0], waypoint[1], width / 6., depth + 1, fill_color=color)
glPopName()
return id | def draw_transition(self, from_pos, to_pos, width, waypoints=None, selected=False, depth=0) | Draw a state with the given properties
This method is called by the controller to draw the specified transition.
:param tuple from_pos: Starting position
:param tuple to_pos: Ending position
:param float width: A measure for the width of a transition line
:param list waypoints: A list of optional waypoints to connect in between
:param bool selected: Whether the transition shell be shown as active/selected
:param float depth: The Z layer
:return: The OpenGL id of the transition
:rtype: int | 4.112155 | 4.089287 | 1.005592 |
stroke_width = height / 8.
if bold:
stroke_width = height / 5.
color.set()
self._set_closest_stroke_width(stroke_width)
glMatrixMode(GL_MODELVIEW)
glPushMatrix()
pos_y -= height
if not align_right:
glTranslatef(pos_x, pos_y, depth)
else:
width = self._string_width(string, height)
glTranslatef(pos_x - width, pos_y, depth)
font_height = 119.5 # According to https://www.opengl.org/resources/libraries/glut/spec3/node78.html
scale_factor = height / font_height
glScalef(scale_factor, scale_factor, scale_factor)
for c in string:
# glTranslatef(0, 0, 0)
glutStrokeCharacter(GLUT_STROKE_ROMAN, ord(c))
# width = glutStrokeWidth(GLUT_STROKE_ROMAN, ord(c))
glPopMatrix() | def _write_string(self, string, pos_x, pos_y, height, color, bold=False, align_right=False, depth=0.) | Write a string
Writes a string with a simple OpenGL method in the given size at the given position.
:param string: The string to draw
:param pos_x: x starting position
:param pos_y: y starting position
:param height: desired height
:param bold: flag whether to use a bold font
:param depth: the Z layer | 3.268149 | 3.388632 | 0.964445 |
glSelectBuffer(self.name_counter * 6)
viewport = glGetInteger(GL_VIEWPORT)
glMatrixMode(GL_PROJECTION)
glPushMatrix()
glRenderMode(GL_SELECT)
glLoadIdentity()
if width < 1:
width = 1
if height < 1:
height = 1
pos_x += width / 2.
pos_y += height / 2.
# The system y axis is inverse to the OpenGL y axis
gluPickMatrix(pos_x, viewport[3] - pos_y + viewport[1], width, height, viewport)
self._apply_orthogonal_view() | def prepare_selection(self, pos_x, pos_y, width, height) | Prepares the selection rendering
In order to find out the object being clicked on, the scene has to be rendered again around the clicked position
:param pos_x: x coordinate
:param pos_y: y coordinate | 4.160958 | 4.445416 | 0.936011 |
hits = glRenderMode(GL_RENDER)
glMatrixMode(GL_PROJECTION)
glPopMatrix()
glMatrixMode(GL_MODELVIEW)
return hits | def find_selection() | Finds the selected ids
After the scene has been rendered again in selection mode, this method gathers and returns the ids of the
selected object and restores the matrices.
:return: The selection stack | 4.114277 | 4.974849 | 0.827015 |
# Adapt line width to zooming level
width *= self.pixel_to_size_ratio() / 6.
stroke_width_range = glGetFloatv(GL_LINE_WIDTH_RANGE)
stroke_width_granularity = glGetFloatv(GL_LINE_WIDTH_GRANULARITY)
if width < stroke_width_range[0]:
glLineWidth(stroke_width_range[0])
return
if width > stroke_width_range[1]:
glLineWidth(stroke_width_range[1])
return
glLineWidth(round(width / stroke_width_granularity) * stroke_width_granularity) | def _set_closest_stroke_width(self, width) | Sets the line width to the closest supported one
Not all line widths are supported. This function queries both minimum and maximum as well as the step size of
the line width and calculates the width, which is closest to the given one. This width is then set.
:param width: The desired line width | 3.070551 | 3.411148 | 0.900152 |
visible = False
# Check whether circle center is in the viewport
if not self.point_outside_view((pos_x, pos_y)):
visible = True
# Check whether at least on point on the border of the circle is within the viewport
if not visible:
for i in range(0, 8):
angle = 2 * pi / 8. * i
x = pos_x + cos(angle) * radius
y = pos_y + sin(angle) * radius
if not self.point_outside_view((x, y)):
visible = True
break
if not visible:
return False
angle_sum = to_angle - from_angle
if angle_sum < 0:
angle_sum = float(to_angle + 2 * pi - from_angle)
segments = self.pixel_to_size_ratio() * radius * 1.5
segments = max(4, segments)
segments = int(round(segments * angle_sum / (2. * pi)))
types = []
if fill_color is not None:
types.append(GL_POLYGON)
if border_color is not None:
types.append(GL_LINE_LOOP)
for type in types:
if type == GL_POLYGON:
fill_color.set()
else:
self._set_closest_stroke_width(stroke_width)
border_color.set()
glBegin(type)
angle = from_angle
for i in range(0, segments):
x = pos_x + cos(angle) * radius
y = pos_y + sin(angle) * radius
glVertex3f(x, y, depth)
angle += angle_sum / (segments - 1)
if angle > 2 * pi:
angle -= 2 * pi
if i == segments - 2:
angle = to_angle
glEnd()
return True | def _draw_circle(self, pos_x, pos_y, radius, depth, stroke_width=1., fill_color=None, border_color=None,
from_angle=0., to_angle=2 * pi) | Draws a circle
Draws a circle with a line segment a desired position with desired size.
:param float pos_x: Center x position
:param float pos_y: Center y position
:param float depth: The Z layer
:param float radius: Radius of the circle | 2.60751 | 2.700736 | 0.965481 |
left, right, bottom, top = self.get_view_coordinates()
glOrtho(left, right, bottom, top, -10, 0) | def _apply_orthogonal_view(self) | Orthogonal view with respect to current aspect ratio | 4.769867 | 4.458532 | 1.069829 |
if how == 'daily':
hours = 24
if how == 'weekly':
hours = 168
aggregation = tsam.TimeSeriesAggregation(
timeseries_df,
noTypicalPeriods=typical_periods,
rescaleClusterPeriods=False,
hoursPerPeriod=hours,
clusterMethod='hierarchical')
timeseries = aggregation.createTypicalPeriods()
cluster_weights = aggregation.clusterPeriodNoOccur
# get the medoids/ the clusterCenterIndices
clusterCenterIndices = aggregation.clusterCenterIndices
# get all index for every hour of that day of the clusterCenterIndices
start = []
# get the first hour of the clusterCenterIndices (days start with 0)
for i in clusterCenterIndices:
start.append(i * hours)
# get a list with all hours belonging to the clusterCenterIndices
nrhours = []
for j in start:
nrhours.append(j)
x = 1
while x < hours:
j = j + 1
nrhours.append(j)
x = x + 1
# get the origial Datetimeindex
dates = timeseries_df.iloc[nrhours].index
return timeseries, cluster_weights, dates, hours | def tsam_cluster(timeseries_df, typical_periods=10, how='daily') | Parameters
----------
df : pd.DataFrame
DataFrame with timeseries to cluster
Returns
-------
timeseries : pd.DataFrame
Clustered timeseries | 5.393949 | 5.563223 | 0.969573 |
network.snapshot_weightings = network.snapshot_weightings.loc[dates]
network.snapshots = network.snapshot_weightings.index
# set new snapshot weights from cluster_weights
snapshot_weightings = []
for i in cluster_weights.values():
x = 0
while x < hours:
snapshot_weightings.append(i)
x += 1
for i in range(len(network.snapshot_weightings)):
network.snapshot_weightings[i] = snapshot_weightings[i]
# put the snapshot in the right order
network.snapshots.sort_values()
network.snapshot_weightings.sort_index()
return network | def update_data_frames(network, cluster_weights, dates, hours) | Updates the snapshots, snapshots weights and the dataframes based on
the original data in the network and the medoids created by clustering
these original data.
Parameters
-----------
network : pyPSA network object
cluster_weights: dictionary
dates: Datetimeindex
Returns
-------
network | 3.20695 | 3.442115 | 0.93168 |
sus = network.storage_units
# take every first hour of the clustered days
network.model.period_starts = network.snapshot_weightings.index[0::24]
network.model.storages = sus.index
def day_rule(m, s, p):
return (
m.state_of_charge[s, p] ==
m.state_of_charge[s, p + pd.Timedelta(hours=23)])
network.model.period_bound = po.Constraint(
network.model.storages, network.model.period_starts, rule=day_rule) | def daily_bounds(network, snapshots) | This will bound the storage level to 0.5 max_level every 24th hour. | 7.49559 | 6.975823 | 1.07451 |
if os.environ.get("RAFCON_CHECK_INSTALLATION", False) == "True":
rafcon_root = os.path.dirname(rafcon.__file__)
installation.assets_folder = os.path.join(rafcon_root, 'gui', 'assets')
installation.share_folder = os.path.join(os.path.dirname(os.path.dirname(rafcon_root)), 'share')
installation.install_fonts(logger, restart=True)
installation.install_gtk_source_view_styles(logger)
installation.install_libraries(logger, overwrite=False) | def setup_installation() | Install necessary GUI resources
By default, RAFCON should be installed via `setup.py` (`pip install rafcon`). Thereby, all resources are being
installed. However, if this is not the case, one can set the `RAFCON_CHECK_INSTALLATION` env variable to `True`.
Then, the installation will be performed before starting the GUI. | 4.522538 | 3.288424 | 1.375291 |
default_config_path = filesystem.get_default_config_path()
filesystem.create_path(default_config_path)
parser = core_singletons.argument_parser
parser.add_argument('-n', '--new', action='store_true', help=_("whether to create a new state-machine"))
parser.add_argument('-o', '--open', action='store', nargs='*', type=parse_state_machine_path,
dest='state_machine_paths', metavar='path',
help=_("specify directories of state-machines that shall be opened. Paths must contain a "
"statemachine.json file"))
parser.add_argument('-c', '--config', action='store', type=config_path, metavar='path', dest='config_path',
default=default_config_path, nargs='?', const=default_config_path,
help=_("path to the configuration file config.yaml. Use 'None' to prevent the generation of a "
"config file and use the default configuration. Default: {0}"
"").format(default_config_path))
parser.add_argument('-g', '--gui_config', action='store', type=config_path, metavar='path', dest='gui_config_path',
default=default_config_path, nargs='?', const=default_config_path,
help=_("path to the configuration file gui_config.yaml. "
"Use 'None' to prevent the generation of a config file and use the default "
"configuration. Default: {0}").format(default_config_path))
parser.add_argument('-ss', '--start_state_machine', dest='start_state_machine_flag', action='store_true',
help=_("a flag to specify if the first state machine of -o should be started after opening"))
parser.add_argument('-s', '--start_state_path', metavar='path', dest='start_state_path', default=None, nargs='?',
help=_("path within a state machine to the state that should be launched which consists of "
"state ids e.g. QPOXGD/YVWJKZ where QPOXGD is the root state and YVWJKZ its child states"
" to start from."))
parser.add_argument('-q', '--quit', dest='quit_flag', action='store_true',
help=_("a flag to specify if the gui should quit after launching a state machine"))
return parser | def setup_argument_parser() | Sets up teh parser with the required arguments
:return: The parser object | 3.274115 | 3.314132 | 0.987925 |
super(ScopedVariableListController, self).register_view(view)
view['name_col'].add_attribute(view['name_text'], 'text', self.NAME_STORAGE_ID)
if not isinstance(self.model.state, LibraryState) and self.model.state.get_next_upper_library_root_state() is None:
view['name_text'].set_property("editable", True)
view['data_type_col'].add_attribute(view['data_type_text'], 'text', self.DATA_TYPE_NAME_STORAGE_ID)
if not isinstance(self.model.state, LibraryState) and self.model.state.get_next_upper_library_root_state() is None:
view['data_type_text'].set_property("editable", True)
if isinstance(view, ScopedVariablesListView):
view['default_value_col'].add_attribute(view['default_value_text'], 'text', self.DEFAULT_VALUE_STORAGE_ID)
if not isinstance(self.model.state, LibraryState) and self.model.state.get_next_upper_library_root_state() is None:
view['default_value_text'].set_property("editable", True)
self._apply_value_on_edited_and_focus_out(view['default_value_text'],
self.apply_new_scoped_variable_default_value)
self._apply_value_on_edited_and_focus_out(view['name_text'], self.apply_new_scoped_variable_name)
self._apply_value_on_edited_and_focus_out(view['data_type_text'], self.apply_new_scoped_variable_type)
if isinstance(self.model, ContainerStateModel):
self.reload_scoped_variables_list_store() | def register_view(self, view) | Called when the View was registered | 2.591107 | 2.581347 | 1.003781 |
shortcut_manager.add_callback_for_action("delete", self.remove_action_callback)
shortcut_manager.add_callback_for_action("add", self.add_action_callback)
shortcut_manager.add_callback_for_action("copy", self.copy_action_callback)
shortcut_manager.add_callback_for_action("cut", self.cut_action_callback)
shortcut_manager.add_callback_for_action("paste", self.paste_action_callback) | def register_actions(self, shortcut_manager) | Register callback methods for triggered actions
:param rafcon.gui.shortcut_manager.ShortcutManager shortcut_manager: Shortcut Manager Object holding mappings
between shortcuts and actions. | 1.867138 | 1.766154 | 1.057177 |
if react_to_event(self.view, self.tree_view, event) and self.active_entry_widget is None:
if not global_clipboard.model_copies["scoped_variables"] and \
(global_clipboard.model_copies["input_data_ports"] or
global_clipboard.model_copies["output_data_ports"]):
global_clipboard.paste(self.model, limited=['scoped_variables'], convert=True)
else:
global_clipboard.paste(self.model, limited=['scoped_variables'])
return True | def paste_action_callback(self, *event) | Callback method for paste action
The method trigger the clipboard paste of the list of scoped variables in the clipboard or in case this list is
empty and there are other port types selected in the clipboard it will trigger the paste with convert flag.
The convert flag will cause the insertion of scoped variables with the same names, data types and default values
the objects of differing port type (in the clipboard) have. | 6.98951 | 5.800163 | 1.205054 |
if isinstance(self.model, ContainerStateModel):
try:
scoped_var_ids = gui_helper_state_machine.add_scoped_variable_to_selected_states(selected_states=[self.model])
if scoped_var_ids:
self.select_entry(scoped_var_ids[self.model.state])
except ValueError as e:
logger.warning("The scoped variable couldn't be added: {0}".format(e))
return False
return True | def on_add(self, widget, data=None) | Create a new scoped variable with default values | 6.979266 | 6.048639 | 1.153857 |
assert model.scoped_variable.parent is self.model.state
gui_helper_state_machine.delete_core_element_of_model(model) | def remove_core_element(self, model) | Remove respective core element of handed scoped variable model
:param ScopedVariableModel model: Scoped variable model which core element should be removed
:return: | 25.168547 | 17.780899 | 1.415482 |
data_port_id = self.list_store[path][self.ID_STORAGE_ID]
try:
if self.model.state.scoped_variables[data_port_id].name != new_name:
self.model.state.scoped_variables[data_port_id].name = new_name
except TypeError as e:
logger.error("Error while changing port name: {0}".format(e)) | def apply_new_scoped_variable_name(self, path, new_name) | Applies the new name of the scoped variable defined by path
:param str path: The path identifying the edited variable
:param str new_name: New name | 4.505025 | 5.177615 | 0.870097 |
data_port_id = self.list_store[path][self.ID_STORAGE_ID]
try:
if self.model.state.scoped_variables[data_port_id].data_type.__name__ != new_variable_type_str:
self.model.state.scoped_variables[data_port_id].change_data_type(new_variable_type_str)
except ValueError as e:
logger.error("Error while changing data type: {0}".format(e)) | def apply_new_scoped_variable_type(self, path, new_variable_type_str) | Applies the new data type of the scoped variable defined by path
:param str path: The path identifying the edited variable
:param str new_variable_type_str: New data type as str | 3.722109 | 3.866957 | 0.962542 |
data_port_id = self.get_list_store_row_from_cursor_selection()[self.ID_STORAGE_ID]
try:
if str(self.model.state.scoped_variables[data_port_id].default_value) != new_default_value_str:
self.model.state.scoped_variables[data_port_id].default_value = new_default_value_str
except (TypeError, AttributeError) as e:
logger.error("Error while changing default value: {0}".format(e)) | def apply_new_scoped_variable_default_value(self, path, new_default_value_str) | Applies the new default value of the scoped variable defined by path
:param str path: The path identifying the edited variable
:param str new_default_value_str: New default value as string | 4.323805 | 4.608503 | 0.938223 |
if isinstance(self.model, ContainerStateModel):
tmp = self.get_new_list_store()
for sv_model in self.model.scoped_variables:
data_type = sv_model.scoped_variable.data_type
# get name of type (e.g. ndarray)
data_type_name = data_type.__name__
# get module of type, e.g. numpy
data_type_module = data_type.__module__
# if the type is not a builtin type, also show the module
if data_type_module not in ['__builtin__', 'builtins']:
data_type_name = data_type_module + '.' + data_type_name
tmp.append([sv_model.scoped_variable.name, data_type_name,
str(sv_model.scoped_variable.default_value), sv_model.scoped_variable.data_port_id,
sv_model])
tms = Gtk.TreeModelSort(model=tmp)
tms.set_sort_column_id(0, Gtk.SortType.ASCENDING)
tms.set_sort_func(0, compare_variables)
tms.sort_column_changed()
tmp = tms
self.list_store.clear()
for elem in tmp:
self.list_store.append(elem[:])
else:
raise RuntimeError("The reload_scoped_variables_list_store function should be never called for "
"a non Container State Model") | def reload_scoped_variables_list_store(self) | Reloads the scoped variable list store from the data port models | 3.398252 | 3.306623 | 1.027711 |
from rafcon.gui.singleton import state_machine_manager_model, global_runtime_config
from rafcon.gui.models.auto_backup import AutoBackupModel
from rafcon.gui.models import AbstractStateModel
from rafcon.gui.singleton import main_window_controller
# check if there are dirty state machines -> use backup file structure maybe it is already stored
for sm_m in state_machine_manager_model.state_machines.values():
if sm_m.auto_backup:
if sm_m.state_machine.marked_dirty:
sm_m.auto_backup.perform_temp_storage()
else:
# generate a backup
sm_m.auto_backup = AutoBackupModel(sm_m)
# collect order of tab state machine ids from state machines editor and find selected state machine page number
state_machines_editor_ctrl = main_window_controller.get_controller('state_machines_editor_ctrl')
number_of_pages = state_machines_editor_ctrl.view['notebook'].get_n_pages()
selected_page_number = None
list_of_tab_meta = []
for page_number in range(number_of_pages):
page = state_machines_editor_ctrl.view['notebook'].get_nth_page(page_number)
sm_id = state_machines_editor_ctrl.get_state_machine_id_for_page(page)
if sm_id == state_machine_manager_model.selected_state_machine_id:
selected_page_number = page_number
# backup state machine selection
selection_of_sm = []
for model in state_machine_manager_model.state_machines[sm_id].selection.get_all():
if isinstance(model, AbstractStateModel):
# TODO extend to full range of selection -> see core_identifier action-module
selection_of_sm.append(model.state.get_path())
list_of_tab_meta.append({'backup_meta': state_machine_manager_model.state_machines[sm_id].auto_backup.meta,
'selection': selection_of_sm})
# store final state machine backup meta data to backup session tabs and selection for the next run
global_runtime_config.set_config_value('open_tabs', list_of_tab_meta)
global_runtime_config.set_config_value('selected_state_machine_page_number', selected_page_number) | def store_session() | Stores reference backup information for all open tabs into runtime config
The backup of never stored tabs (state machines) and not stored state machine changes will be triggered a last
time to secure data lose. | 4.525039 | 4.282642 | 1.0566 |
if not method_name:
method_name = level_name.lower()
if hasattr(logging, level_name):
raise AttributeError('{} already defined in logging module'.format(level_name))
if hasattr(logging, method_name):
raise AttributeError('{} already defined in logging module'.format(method_name))
if hasattr(logging.getLoggerClass(), method_name):
raise AttributeError('{} already defined in logger class'.format(method_name))
# This method was inspired by the answers to Stack Overflow post
# http://stackoverflow.com/q/2183233/2988730, especially
# http://stackoverflow.com/a/13638084/2988730
def log_for_level(self, message, *args, **kwargs):
if self.isEnabledFor(level_num):
self._log(level_num, message, args, **kwargs)
def log_to_root(message, *args, **kwargs):
logging.log(level_num, message, *args, **kwargs)
logging.addLevelName(level_num, level_name)
setattr(logging, level_name, level_num)
setattr(logging.getLoggerClass(), method_name, log_for_level)
setattr(logging, method_name, log_to_root) | def add_logging_level(level_name, level_num, method_name=None) | Add new logging level
Comprehensively adds a new logging level to the `logging` module and the currently configured logging class.
`method_name` becomes a convenience method for both `logging` itself and the class returned by
`logging.getLoggerClass()` (usually just `logging.Logger`). If `method_name` is not specified, `level_name.lower()`
is used.
:param str level_name: the level name
:param int level_num: the level number/value
:raises AttributeError: if the level
name is already an attribute of the `logging` module or if the method name is already present
Example
-------
>>> add_logging_level('TRACE', logging.DEBUG - 5)
>>> logging.getLogger(__name__).setLevel("TRACE")
>>> logging.getLogger(__name__).trace('that worked')
>>> logging.trace('so did this')
>>> logging.TRACE
5 | 1.292507 | 1.525426 | 0.847309 |
if name in existing_loggers:
return existing_loggers[name]
# Ensure that all logger are within the RAFCON root namespace
namespace = name if name.startswith(rafcon_root + ".") else rafcon_root + "." + name
logger = logging.getLogger(namespace)
logger.propagate = True
existing_loggers[name] = logger
return logger | def get_logger(name) | Returns a logger for the given name
The function is basically a wrapper for logging.getLogger and only ensures that the namespace is within "rafcon."
and that the propagation is enabled.
:param str name: The namespace of the new logger
:return: Logger object with given namespace
:rtype: logging.Logger | 4.778547 | 3.337781 | 1.431654 |
start_time = time.time()
if path is None:
if interface.open_folder_func is None:
logger.error("No function defined for opening a folder")
return
load_path = interface.open_folder_func("Please choose the folder of the state machine")
if load_path is None:
return
else:
load_path = path
if state_machine_manager.is_state_machine_open(load_path):
logger.info("State machine already open. Select state machine instance from path {0}.".format(load_path))
sm = state_machine_manager.get_open_state_machine_of_file_system_path(load_path)
gui_helper_state.gui_singletons.state_machine_manager_model.selected_state_machine_id = sm.state_machine_id
return state_machine_manager.get_open_state_machine_of_file_system_path(load_path)
state_machine = None
try:
state_machine = storage.load_state_machine_from_path(load_path)
state_machine_manager.add_state_machine(state_machine)
if recent_opened_notification:
global_runtime_config.update_recently_opened_state_machines_with(state_machine)
duration = time.time() - start_time
stat = state_machine.root_state.get_states_statistics(0)
logger.info("It took {0:.2}s to load {1} states with {2} hierarchy levels.".format(duration, stat[0], stat[1]))
except (AttributeError, ValueError, IOError) as e:
logger.error('Error while trying to open state machine: {0}'.format(e))
return state_machine | def open_state_machine(path=None, recent_opened_notification=False) | Open a state machine from respective file system path
:param str path: file system path to the state machine
:param bool recent_opened_notification: flags that indicates that this call also should update recently open
:rtype rafcon.core.state_machine.StateMachine
:return: opened state machine | 3.395712 | 3.318293 | 1.023331 |
state_machine_manager_model = rafcon.gui.singleton.state_machine_manager_model
selected_state_machine_model = state_machine_manager_model.get_selected_state_machine_model()
if selected_state_machine_model is None:
logger.warning("Can not 'save state machine as' because no state machine is selected.")
return False
if path is None:
if interface.create_folder_func is None:
logger.error("No function defined for creating a folder")
return False
folder_name = selected_state_machine_model.state_machine.root_state.name
path = interface.create_folder_func("Please choose a root folder and a folder name for the state-machine. "
"The default folder name is the name of the root state.",
format_default_folder_name(folder_name))
if path is None:
logger.warning("No valid path specified")
return False
previous_path = selected_state_machine_model.state_machine.file_system_path
if not as_copy:
marked_dirty = selected_state_machine_model.state_machine.marked_dirty
recent_opened_notification = recent_opened_notification and (not previous_path == path or marked_dirty)
selected_state_machine_model.state_machine.file_system_path = path
result = save_state_machine(delete_old_state_machine=True,
recent_opened_notification=recent_opened_notification,
as_copy=as_copy, copy_path=path)
library_manager_model.state_machine_was_stored(selected_state_machine_model, previous_path)
return result | def save_state_machine_as(path=None, recent_opened_notification=False, as_copy=False) | Store selected state machine to path
If there is no handed path the interface dialog "create folder" is used to collect one. The state machine finally
is stored by the save_state_machine function.
:param str path: Path of state machine folder where selected state machine should be stored
:param bool recent_opened_notification: Flag to insert path of state machine into recent opened state machine paths
:param bool as_copy: Store state machine as copy flag e.g. without assigning path to state_machine.file_system_path
:return: True if successfully stored, False if the storing process was canceled or stopped by condition fail
:rtype bool: | 3.229078 | 3.060852 | 1.054961 |
# check if the/a state machine is still running
if not state_machine_execution_engine.finished_or_stopped():
if selected_sm_id is None or selected_sm_id == state_machine_manager.active_state_machine_id:
message_string = "A state machine is still running. This state machine can only be refreshed" \
"when not longer running."
dialog = RAFCONButtonDialog(message_string, ["Stop execution and refresh",
"Keep running and do not refresh"],
message_type=Gtk.MessageType.QUESTION,
parent=root_window)
response_id = dialog.run()
state_machine_stopped = False
if response_id == 1:
state_machine_execution_engine.stop()
state_machine_stopped = True
elif response_id == 2:
logger.debug("State machine will stay running and no refresh will be performed!")
dialog.destroy()
return state_machine_stopped
return True | def is_state_machine_stopped_to_proceed(selected_sm_id=None, root_window=None) | Check if state machine is stopped and in case request user by dialog how to proceed
The function checks if a specific state machine or by default all state machines have stopped or finished
execution. If a state machine is still running the user is ask by dialog window if those should be stopped or not.
:param selected_sm_id: Specific state mine to check for
:param root_window: Root window for dialog window
:return: | 5.076875 | 5.034065 | 1.008504 |
selected_sm_id = rafcon.gui.singleton.state_machine_manager_model.selected_state_machine_id
selected_sm = state_machine_manager.state_machines[selected_sm_id]
state_machines_editor_ctrl = rafcon.gui.singleton.main_window_controller.get_controller('state_machines_editor_ctrl')
states_editor_ctrl = rafcon.gui.singleton.main_window_controller.get_controller('states_editor_ctrl')
if not is_state_machine_stopped_to_proceed(selected_sm_id, state_machines_editor_ctrl.get_root_window()):
return
# check if the a dirty flag is still set
all_tabs = list(states_editor_ctrl.tabs.values())
all_tabs.extend(states_editor_ctrl.closed_tabs.values())
dirty_source_editor = [tab_dict['controller'] for tab_dict in all_tabs if
tab_dict['source_code_view_is_dirty'] is True]
if selected_sm.marked_dirty or dirty_source_editor:
message_string = "Are you sure you want to reload the currently selected state machine?\n\n" \
"The following elements have been modified and not saved. " \
"These changes will get lost:"
message_string = "%s\n* State machine #%s and name '%s'" % (
message_string, str(selected_sm_id), selected_sm.root_state.name)
for ctrl in dirty_source_editor:
if ctrl.model.state.get_state_machine().state_machine_id == selected_sm_id:
message_string = "%s\n* Source code of state with name '%s' and path '%s'" % (
message_string, ctrl.model.state.name, ctrl.model.state.get_path())
dialog = RAFCONButtonDialog(message_string, ["Reload anyway", "Cancel"],
message_type=Gtk.MessageType.WARNING, parent=states_editor_ctrl.get_root_window())
response_id = dialog.run()
dialog.destroy()
if response_id == 1: # Reload anyway
pass
else:
logger.debug("Refresh of selected state machine canceled")
return
library_manager.clean_loaded_libraries()
refresh_libraries()
states_editor_ctrl.close_pages_for_specific_sm_id(selected_sm_id)
state_machines_editor_ctrl.refresh_state_machine_by_id(selected_sm_id) | def refresh_selected_state_machine() | Reloads the selected state machine. | 3.805719 | 3.780906 | 1.006563 |
state_machines_editor_ctrl = rafcon.gui.singleton.main_window_controller.get_controller('state_machines_editor_ctrl')
states_editor_ctrl = rafcon.gui.singleton.main_window_controller.get_controller('states_editor_ctrl')
if force:
pass # no checks direct refresh
else:
# check if a state machine is still running
if not is_state_machine_stopped_to_proceed(root_window=states_editor_ctrl.get_root_window()):
return
# check if the a dirty flag is still set
all_tabs = list(states_editor_ctrl.tabs.values())
all_tabs.extend(states_editor_ctrl.closed_tabs.values())
dirty_source_editor = [tab_dict['controller'] for tab_dict in all_tabs if
tab_dict['source_code_view_is_dirty'] is True]
if state_machine_manager.has_dirty_state_machine() or dirty_source_editor:
message_string = "Are you sure you want to reload the libraries and all state machines?\n\n" \
"The following elements have been modified and not saved. " \
"These changes will get lost:"
for sm_id, sm in state_machine_manager.state_machines.items():
if sm.marked_dirty:
message_string = "%s\n* State machine #%s and name '%s'" % (
message_string, str(sm_id), sm.root_state.name)
for ctrl in dirty_source_editor:
message_string = "%s\n* Source code of state with name '%s' and path '%s'" % (
message_string, ctrl.model.state.name, ctrl.model.state.get_path())
dialog = RAFCONButtonDialog(message_string, ["Reload anyway", "Cancel"],
message_type=Gtk.MessageType.WARNING, parent=states_editor_ctrl.get_root_window())
response_id = dialog.run()
dialog.destroy()
if response_id == 1: # Reload anyway
pass
else:
logger.debug("Refresh canceled")
return
library_manager.clean_loaded_libraries()
refresh_libraries()
states_editor_ctrl.close_all_pages()
state_machines_editor_ctrl.refresh_all_state_machines() | def refresh_all(force=False) | Remove/close all libraries and state machines and reloads them freshly from the file system
:param bool force: Force flag to avoid any checks | 4.2764 | 4.15418 | 1.029421 |
if isinstance(model, AbstractStateModel) and model.state.is_root_state:
logger.warning("Deletion is not allowed. {0} is root state of state machine.".format(model.core_element))
return False
state_m = model.parent
if state_m is None:
msg = "Model has no parent from which it could be deleted from"
if raise_exceptions:
raise ValueError(msg)
logger.error(msg)
return False
if is_selection_inside_of_library_state(selected_elements=[model]):
logger.warning("Deletion is not allowed. Element {0} is inside of a library.".format(model.core_element))
return False
assert isinstance(state_m, StateModel)
state = state_m.state
core_element = model.core_element
try:
if core_element in state:
state.remove(core_element, recursive=recursive, destroy=destroy, force=force)
return True
return False
except (AttributeError, ValueError) as e:
if raise_exceptions:
raise
logger.error("The model '{}' for core element '{}' could not be deleted: {}".format(model, core_element, e))
return False | def delete_core_element_of_model(model, raise_exceptions=False, recursive=True, destroy=True, force=False) | Deletes respective core element of handed model of its state machine
If the model is one of state, data flow or transition, it is tried to delete that model together with its
data from the corresponding state machine.
:param model: The model of respective core element to delete
:param bool raise_exceptions: Whether to raise exceptions or only log errors in case of failures
:param bool destroy: Access the destroy flag of the core remove methods
:return: True if successful, False else | 3.592269 | 3.453966 | 1.040042 |
# If only one model is given, make a list out of it
if not hasattr(models, '__iter__'):
models = [models]
return sum(delete_core_element_of_model(model, raise_exceptions, recursive=recursive, destroy=destroy, force=force)
for model in models) | def delete_core_elements_of_models(models, raise_exceptions=True, recursive=True, destroy=True, force=False) | Deletes all respective core elements for the given models
Calls the :func:`delete_core_element_of_model` for all given models.
:param models: A single model or a list of models of respective core element to be deleted
:param bool raise_exceptions: Whether to raise exceptions or log error messages in case of an error
:param bool destroy: Access the destroy flag of the core remove methods
:return: The number of models that were successfully deleted | 3.06818 | 2.914803 | 1.05262 |
if state_machine_m is None:
state_machine_m = rafcon.gui.singleton.state_machine_manager_model.get_selected_state_machine_model()
if state_machine_m is None and selected_elements is None:
return False
selection_in_lib = []
selected_elements = state_machine_m.selection.get_all() if selected_elements is None else selected_elements
for model in selected_elements:
# check if model is element of child state or the root state (or its scoped variables) of a LibraryState
state_m = model if isinstance(model.core_element, State) else model.parent
selection_in_lib.append(state_m.state.get_next_upper_library_root_state() is not None)
# check if model is part of the shell (io-port or outcome) of a LibraryState
if not isinstance(model.core_element, State) and isinstance(state_m, LibraryStateModel):
selection_in_lib.append(True)
if any(selection_in_lib):
return True
return False | def is_selection_inside_of_library_state(state_machine_m=None, selected_elements=None) | Check if handed or selected elements are inside of library state
If no state machine model or selected_elements are handed the method is searching for the selected state machine and
its selected elements. If selected_elements list is handed handed state machine model is ignored.
:param rafcon.gui.models.state_machine.StateMachineModel state_machine_m: Optional state machine model
:param list selected_elements: Optional model list that is considered to be selected
:return: True if elements inside of library state | 4.699001 | 4.461244 | 1.053294 |
assert isinstance(state_machine_m, StateMachineModel)
if state_type not in list(StateType):
state_type = StateType.EXECUTION
if len(state_machine_m.selection.states) != 1:
logger.warning("Please select exactly one desired parent state, before adding a new state")
return
state_m = state_machine_m.selection.get_selected_state()
if is_selection_inside_of_library_state(selected_elements=[state_m]):
logger.warning("Add new state is not performed because selected target state is inside of a library state.")
return
if isinstance(state_m, StateModel):
return gui_helper_state.add_state(state_m, state_type)
else:
logger.warning("Add new state is not performed because target state indication has to be a {1} not {0}"
"".format(state_m.__class__.__name__, StateModel.__name__))
# TODO this code can not be reached -> recover again? -> e.g. feature select transition add's state to parent
if isinstance(state_m, (TransitionModel, DataFlowModel)) or \
isinstance(state_m, (DataPortModel, OutcomeModel)) and isinstance(state_m.parent, ContainerStateModel):
return gui_helper_state.add_state(state_m.parent, state_type) | def add_new_state(state_machine_m, state_type) | Triggered when shortcut keys for adding a new state are pressed, or Menu Bar "Edit, Add State" is clicked.
Adds a new state only if the parent state (selected state) is a container state, and if the graphical editor or
the state machine tree are in focus. | 5.553478 | 5.430242 | 1.022695 |
smm_m = rafcon.gui.singleton.state_machine_manager_model
if not isinstance(state, State):
logger.warning("A state is needed to be insert not {0}".format(state))
return False
if not smm_m.selected_state_machine_id:
logger.warning("Please select a container state within a state machine first")
return False
selection = smm_m.state_machines[smm_m.selected_state_machine_id].selection
if len(selection.states) > 1:
logger.warning("Please select exactly one state for the insertion")
return False
if len(selection.states) == 0:
logger.warning("Please select a state for the insertion")
return False
if is_selection_inside_of_library_state(selected_elements=[selection.get_selected_state()]):
logger.warning("State is not insert because target state is inside of a library state.")
return False
gui_helper_state.insert_state_as(selection.get_selected_state(), state, as_template)
return True | def insert_state_into_selected_state(state, as_template=False) | Adds a State to the selected state
:param state: the state which is inserted
:param as_template: If a state is a library state can be insert as template
:return: boolean: success of the insertion | 4.693799 | 4.55207 | 1.031135 |
# print("substitute_selected_state", state, as_template)
assert isinstance(state, State)
from rafcon.core.states.barrier_concurrency_state import DeciderState
if isinstance(state, DeciderState):
raise ValueError("State of type DeciderState can not be substituted.")
smm_m = rafcon.gui.singleton.state_machine_manager_model
if not smm_m.selected_state_machine_id:
logger.error("Selected state machine can not be found, please select a state within a state machine first.")
return False
selection = smm_m.state_machines[smm_m.selected_state_machine_id].selection
selected_state_m = selection.get_selected_state()
if len(selection.states) != 1:
logger.error("Please select exactly one state for the substitution")
return False
if is_selection_inside_of_library_state(selected_elements=[selected_state_m]):
logger.warning("Substitute is not performed because target state is inside of a library state.")
return
gui_helper_state.substitute_state_as(selected_state_m, state, as_template, keep_name)
return True | def substitute_selected_state(state, as_template=False, keep_name=False) | Substitute the selected state with the handed state
:param rafcon.core.states.state.State state: A state of any functional type that derives from State
:param bool as_template: The flag determines if a handed the state of type LibraryState is insert as template
:return: | 5.42246 | 5.022994 | 1.079527 |
clusters = set(self.clustering.busmap.values)
n = len(clusters)
self.stats = {'clusters': pd.DataFrame(
index=sorted(clusters),
columns=["decompose", "spread", "transfer"])}
profile = cProfile.Profile()
for i, cluster in enumerate(sorted(clusters)):
print('---')
print('Decompose cluster %s (%d/%d)' % (cluster, i+1, n))
profile.enable()
t = time.time()
partial_network, externals = self.construct_partial_network(
cluster,
scenario)
profile.disable()
self.stats['clusters'].loc[cluster, 'decompose'] = time.time() - t
print('Decomposed in ',
self.stats['clusters'].loc[cluster, 'decompose'])
t = time.time()
profile.enable()
self.solve_partial_network(cluster, partial_network, scenario,
solver)
profile.disable()
self.stats['clusters'].loc[cluster, 'spread'] = time.time() - t
print('Result distributed in ',
self.stats['clusters'].loc[cluster, 'spread'])
profile.enable()
t = time.time()
self.transfer_results(partial_network, externals)
profile.disable()
self.stats['clusters'].loc[cluster, 'transfer'] = time.time() - t
print('Results transferred in ',
self.stats['clusters'].loc[cluster, 'transfer'])
profile.enable()
t = time.time()
print('---')
fs = (mc("sum"), mc("sum"))
for bt, ts in (
('generators', {'p': fs, 'q': fs}),
('storage_units', {'p': fs, 'state_of_charge': fs, 'q': fs})):
print("Attribute sums, {}, clustered - disaggregated:" .format(bt))
cnb = getattr(self.clustered_network, bt)
onb = getattr(self.original_network, bt)
print("{:>{}}: {}".format('p_nom_opt', 4 + len('state_of_charge'),
reduce(lambda x, f: f(x), fs[:-1], cnb['p_nom_opt'])
-
reduce(lambda x, f: f(x), fs[:-1], onb['p_nom_opt'])))
print("Series sums, {}, clustered - disaggregated:" .format(bt))
cnb = getattr(self.clustered_network, bt + '_t')
onb = getattr(self.original_network, bt + '_t')
for s in ts:
print("{:>{}}: {}".format(s, 4 + len('state_of_charge'),
reduce(lambda x, f: f(x), ts[s], cnb[s])
-
reduce(lambda x, f: f(x), ts[s], onb[s])))
profile.disable()
self.stats['check'] = time.time() - t
print('Checks computed in ', self.stats['check']) | def solve(self, scenario, solver) | Decompose each cluster into separate units and try to optimize them
separately
:param scenario:
:param solver: Solver that may be used to optimize partial networks | 3.200046 | 3.189132 | 1.003422 |
if not (from_state is None and from_outcome is None):
if not isinstance(from_state, string_types):
raise ValueError("Invalid transition origin port: from_state must be a string")
if not isinstance(from_outcome, int):
raise ValueError("Invalid transition origin port: from_outcome must be of type int")
old_from_state = self.from_state
old_from_outcome = self.from_outcome
self._from_state = from_state
self._from_outcome = from_outcome
valid, message = self._check_validity()
if not valid:
self._from_state = old_from_state
self._from_outcome = old_from_outcome
raise ValueError("The transition origin could not be changed: {0}".format(message)) | def modify_origin(self, from_state, from_outcome) | Set both from_state and from_outcome at the same time to modify transition origin
:param str from_state: State id of the origin state
:param int from_outcome: Outcome id of the origin port
:raises exceptions.ValueError: If parameters have wrong types or the new transition is not valid | 2.35801 | 2.09575 | 1.125139 |
if not (to_state is None and (to_outcome is not int and to_outcome is not None)):
if not isinstance(to_state, string_types):
raise ValueError("Invalid transition target port: to_state must be a string")
if not isinstance(to_outcome, int) and to_outcome is not None:
raise ValueError("Invalid transition target port: to_outcome must be of type int or None (if to_state "
"is of type str)")
old_to_state = self.to_state
old_to_outcome = self.to_outcome
self._to_state = to_state
self._to_outcome = to_outcome
valid, message = self._check_validity()
if not valid:
self._to_state = old_to_state
self._to_outcome = old_to_outcome
raise ValueError("The transition target could not be changed: {0}".format(message)) | def modify_target(self, to_state, to_outcome=None) | Set both to_state and to_outcome at the same time to modify transition target
:param str to_state: State id of the target state
:param int to_outcome: Outcome id of the target port
:raises exceptions.ValueError: If parameters have wrong types or the new transition is not valid | 2.622053 | 2.377715 | 1.102762 |
ExtendedController.register_view(self, view) # no super to avoid sm based selection initialization
view['name_text'].set_property('editable', True)
view['value_text'].set_property('editable', True)
view['type_text'].set_property('editable', True)
self.tree_view.connect('key-press-event', self.tree_view_keypress_callback)
self._apply_value_on_edited_and_focus_out(view['name_text'], self.apply_new_global_variable_name)
self._apply_value_on_edited_and_focus_out(view['value_text'], self.apply_new_global_variable_value)
self._apply_value_on_edited_and_focus_out(view['type_text'], self.apply_new_global_variable_type)
view['new_global_variable_button'].connect('clicked', self.on_add)
view['delete_global_variable_button'].connect('clicked', self.on_remove)
view['lock_global_variable_button'].connect('clicked', self.on_lock)
view['unlock_global_variable_button'].connect('clicked', self.on_unlock)
self._tree_selection.set_mode(Gtk.SelectionMode.MULTIPLE) | def register_view(self, view) | Called when the View was registered | 2.736313 | 2.794478 | 0.979186 |
if self.model.global_variable_manager.is_locked(gv_name):
logger.error("{1} of global variable '{0}' is not possible, as it is locked".format(gv_name, intro_message))
return False
return True | def global_variable_is_editable(self, gv_name, intro_message='edit') | Check whether global variable is locked
:param str gv_name: Name of global variable to be checked
:param str intro_message: Message which is used form a useful logger error message if needed
:return: | 4.298891 | 3.740559 | 1.149264 |
gv_name = "new_global_%s" % self.global_variable_counter
self.global_variable_counter += 1
try:
self.model.global_variable_manager.set_variable(gv_name, None)
except (RuntimeError, AttributeError, TypeError) as e:
logger.warning("Addition of new global variable '{0}' failed: {1}".format(gv_name, e))
self.select_entry(gv_name)
return True | def on_add(self, widget, data=None) | Create a global variable with default value and select its row
Triggered when the add button in the global variables tab is clicked. | 4.377875 | 4.20059 | 1.042205 |
path_list = None
if self.view is not None:
model, path_list = self.tree_view.get_selection().get_selected_rows()
models = [self.list_store[path][self.MODEL_STORAGE_ID] for path in path_list] if path_list else []
if models:
if len(models) > 1:
self._logger.warning("Please select only one element to be locked.")
try:
self.model.global_variable_manager.lock_variable(models[0])
except AttributeError as e:
self._logger.warning("The respective core element of {1}.list_store couldn't be locked. -> {0}"
"".format(e, self.__class__.__name__))
return True
else:
self._logger.warning("Please select an element to be locked.") | def on_lock(self, widget, data=None) | Locks respective selected core element | 4.631305 | 4.318314 | 1.07248 |
gv_name = model
if self.global_variable_is_editable(gv_name, "Deletion"):
try:
self.model.global_variable_manager.delete_variable(gv_name)
except AttributeError as e:
logger.warning("The respective global variable '{1}' couldn't be removed. -> {0}"
"".format(e, model)) | def remove_core_element(self, model) | Remove respective core element of handed global variable name
:param str model: String that is the key/gv_name of core element which should be removed
:return: | 9.856748 | 8.552226 | 1.152536 |
gv_name = self.list_store[path][self.NAME_STORAGE_ID]
if gv_name == new_gv_name or not self.global_variable_is_editable(gv_name, 'Name change'):
return
data_value = self.model.global_variable_manager.get_representation(gv_name)
data_type = self.model.global_variable_manager.get_data_type(gv_name)
try:
self.model.global_variable_manager.delete_variable(gv_name)
self.model.global_variable_manager.set_variable(new_gv_name, data_value, data_type=data_type)
gv_name = new_gv_name
except (AttributeError, RuntimeError, TypeError) as e:
logger.warning("Can not apply new name '{0}'".format(e))
self.update_global_variables_list_store()
self.select_entry(gv_name)
# informing the tab key feature handler function about the changed core element id
if hasattr(self.tree_view_keypress_callback.__func__, "core_element_id"):
self.tree_view_keypress_callback.__func__.core_element_id = gv_name | def apply_new_global_variable_name(self, path, new_gv_name) | Change global variable name/key according handed string
Updates the global variable name only if different and already in list store.
:param path: The path identifying the edited global variable tree view row, can be str, int or tuple.
:param str new_gv_name: New global variable name | 4.146838 | 4.065977 | 1.019887 |
if self.list_store[path][self.DATA_TYPE_AS_STRING_STORAGE_ID] == new_value_as_string:
return
gv_name = self.list_store[path][self.NAME_STORAGE_ID]
if not self.global_variable_is_editable(gv_name, 'Change of value'):
return
data_type = self.model.global_variable_manager.get_data_type(gv_name)
old_value = self.model.global_variable_manager.get_representation(gv_name)
# preserve type especially if type=NoneType
if issubclass(data_type, (type(old_value), type(None))):
old_type = data_type
if issubclass(data_type, type(None)):
old_type = type(old_value)
logger.debug("Trying to parse '{}' to type '{}' of old global variable value '{}'".format(
new_value_as_string, old_type.__name__, old_value))
try:
new_value = type_helpers.convert_string_value_to_type_value(new_value_as_string, old_type)
except (AttributeError, ValueError) as e:
if issubclass(data_type, type(None)):
new_value = new_value_as_string
logger.warning("New value '{}' stored as string, previous value '{}' of global variable '{}' was "
"of type '{}'".format(new_value, old_value, gv_name, type(old_value).__name__))
else:
logger.warning("Restoring old value of global variable '{}': {}".format(gv_name, e))
return
else:
logger.error("Global variable '{}' with inconsistent value data type '{}' and data type '{}'".format(
gv_name, [type(old_value).__name__, type(None).__name__], data_type.__name__))
return
try:
self.model.global_variable_manager.set_variable(gv_name, new_value, data_type=data_type)
except (RuntimeError, AttributeError, TypeError) as e:
logger.error("Error while setting global variable '{0}' to value '{1}' -> Exception: {2}".format(
gv_name, new_value, e)) | def apply_new_global_variable_value(self, path, new_value_as_string) | Change global variable value according handed string
Updates the global variable value only if new value string is different to old representation.
:param path: The path identifying the edited global variable tree view row, can be str, int or tuple.
:param str new_value_as_string: New global variable value as string | 3.187848 | 3.12029 | 1.021651 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.