Source code for magicclass.gui.class_gui

from __future__ import annotations
from inspect import signature
from typing import Any, Callable, TypeVar
import warnings
from qtpy.QtWidgets import QMenuBar, QWidget, QMainWindow, QBoxLayout
from qtpy.QtCore import Qt
from magicgui.widgets import Container, MainWindow,Label, FunctionGui, Image, Table
from magicgui.widgets._bases import Widget, ButtonWidget, ValueWidget, ContainerWidget
from magicgui.widgets._concrete import _LabeledWidget
from macrokit import Symbol

from .mgui_ext import PushButtonPlus
from .toolbar import ToolBarGui, QtTabToolBar
from .menu_gui import MenuGui, ContextMenuGui
from ._base import BaseGui, PopUpMode, ErrorMode, value_widget_callback, nested_function_gui_callback
from .utils import define_callback, MagicClassConstructionError, define_context_menu
from ..widgets import (
    ButtonContainer,
    GroupBoxContainer,
    FrameContainer,
    ListContainer,
    SubWindowsContainer,
    ScrollableContainer,
    DraggableContainer,
    CollapsibleContainer,
    HCollapsibleContainer,
    SplitterContainer,
    StackedContainer,
    TabbedContainer,
    ToolBoxContainer,
    FreeWidget
    )

from ..utils import iter_members, extract_tooltip
from ..fields import MagicField
from ..signature import get_additional_option
from .._app import run_app

# For Containers that belong to these classes, menubar must be set to _qwidget.layout().
_USE_OUTER_LAYOUT = (ScrollableContainer, DraggableContainer, SplitterContainer, TabbedContainer)


[docs]class ClassGuiBase(BaseGui): # This class is always inherited by @magicclass decorator. _component_class = PushButtonPlus _container_widget: type _remove_child_margins: bool native: QWidget def _create_widget_from_field(self, name: str, fld: MagicField): cls = self.__class__ if fld.not_ready(): try: fld.decode_string_annotation(cls.__annotations__[name]) except (AttributeError, KeyError): pass fld.name = fld.name or name.replace("_", " ") widget = fld.get_widget(self) if isinstance(widget, (ValueWidget, Container)): # If the field has callbacks, connect it to the newly generated widget. for callback in fld.callbacks: # funcname = callback.__name__ widget.changed.connect(define_callback(self, callback)) if hasattr(widget, "value") and fld.record: # By default, set value function will be connected to the widget. getvalue = type(fld) is MagicField f = value_widget_callback(self, widget, name, getvalue=getvalue) widget.changed.connect(f) elif fld.callbacks: warnings.warn( f"{type(widget).__name__} does not have value-change callback. " f"Connecting callback functions does no effect.", UserWarning ) return widget def _convert_attributes_into_widgets(self): """ This function is called in dynamically created __init__. Methods, fields and nested classes are converted to magicgui widgets. """ cls = self.__class__ # Add class docstring as tooltip. doc = extract_tooltip(cls) self.tooltip = doc # Bind all the methods and annotations n_insert = 0 base_members = set(x[0] for x in iter_members(self._container_widget)) base_members |= set(x[0] for x in iter_members(ClassGuiBase)) _hist: list[tuple[str, str, str]] = [] # for traceback for name, attr in filter(lambda x: x[0] not in base_members, iter_members(cls)): if name in ClassGuiBase.__annotations__.keys() or isinstance(attr, property): continue try: if isinstance(attr, type): if not issubclass(attr, BaseGui): continue # Nested magic-class widget = attr() object.__setattr__(self, name, widget) elif isinstance(attr, MagicField): # If MagicField is given by field() function. widget = self._create_widget_from_field(name, attr) elif isinstance(attr, FunctionGui): widget = attr p0 = list(signature(attr).parameters)[0] getattr(widget, p0).bind(self) # set self to the first argument else: # convert class method into instance method widget = getattr(self, name, None) if isinstance(widget, BaseGui): widget.__magicclass_parent__ = self self.__magicclass_children__.append(widget) widget._my_symbol = Symbol(name) if isinstance(widget, MenuGui): # Add menubar to container if self._menubar is None: # if widget has no menubar, a new one should be created. self._menubar = QMenuBar(parent=self.native) if issubclass(self.__class__, MainWindow): self.native: QMainWindow self.native.setMenuBar(self._menubar) else: if hasattr(self._widget, "_scroll_area"): _layout: QBoxLayout = self._widget._qwidget.layout() else: _layout = self._widget._layout if _layout.menuBar() is None: _layout.setMenuBar(self._menubar) else: raise RuntimeError( "Cannot add menubar after adding a toolbar in a non-main window. " "Use maigcclass(widget_type='mainwindow') instead, or define the" "menu class before toolbar class." ) widget.native.setParent(self._menubar, widget.native.windowFlags()) self._menubar.addMenu(widget.native) _hist.append((name, type(attr), "MenuGui")) elif isinstance(widget, ContextMenuGui): # Add context menu to container self.native.setContextMenuPolicy(Qt.CustomContextMenu) self.native.customContextMenuRequested.connect( define_context_menu(widget, self.native) ) _hist.append((name, type(attr), "ContextMenuGui")) elif isinstance(widget, ToolBarGui): if self._toolbar is None: self._toolbar = QtTabToolBar(widget.name, self.native) if issubclass(self.__class__, MainWindow): self.native: QMainWindow self.native.addToolBar(self._toolbar) else: # self is not a main window object if isinstance(self, _USE_OUTER_LAYOUT): _layout: QBoxLayout = self._widget._qwidget.layout() else: _layout = self._widget._layout if _layout.menuBar() is None: _layout.setMenuBar(self._toolbar) else: _layout.insertWidget(0, self._toolbar, alignment=Qt.AlignTop) self._toolbar.setContentsMargins(0, 0, 0, 0) n_insert += 1 widget.native.setParent(self._toolbar, widget.native.windowFlags()) self._toolbar.addToolBar(widget.native, widget.name.replace("_", " ")) _hist.append((name, type(attr), "ToolBarGui")) elif isinstance(widget, (Widget, Callable)): if (not isinstance(widget, Widget)) and isinstance(widget, Callable): # Methods or any callable objects, but FunctionGui is not included. # NOTE: Here any custom callable objects could be given. Some callable # objects can be incompatible (like "Signal" object in magicgui) but # useful. Those callable objects should be passed from widget construction. try: widget = self._create_widget_from_method(widget) except AttributeError: msg = f"Could not convert {widget!r} into a widget." warnings.warn(msg, UserWarning) continue elif hasattr(widget, "__magicclass_parent__") or \ hasattr(widget.__class__, "__magicclass_parent__"): # magic-class has to know its parent. # if __magicclass_parent__ is defined as a property, hasattr must be called # with a type object (not instance). widget.__magicclass_parent__ = self else: if not widget.name: widget.name = name if hasattr(widget, "text") and not widget.text: widget.text = widget.name.replace("_", " ") # Now, "widget" is a Widget object. Add widget in a way similar to "insert" method # of Container. if name.startswith("_"): continue moveto = get_additional_option(attr, "into") copyto = get_additional_option(attr, "copyto", []) if moveto is not None or copyto: self._unwrap_method(name, widget, moveto, copyto) else: self._fast_insert(n_insert, widget) n_insert += 1 _hist.append((name, str(type(attr)), type(widget).__name__)) except Exception as e: hist_str = "\n\t".join(map( lambda x: f"{x[0]} {x[1]} -> {x[2]}", _hist )) + f"\n\t\t{name} ({type(attr)}) <--- Error" if not hist_str.startswith("\n\t"): hist_str = "\n\t" + hist_str if isinstance(e, MagicClassConstructionError): e.args = (f"\n{hist_str}\n{e}",) raise e else: raise MagicClassConstructionError(f"\n{hist_str}\n\n{type(e).__name__}: {e}") from e # convert __call__ into a button if hasattr(self, "__call__"): widget = self._create_widget_from_method(self.__call__) self._fast_insert(n_insert, widget) n_insert += 1 self._unify_label_widths() return None
_C = TypeVar("_C", bound=ContainerWidget)
[docs]def make_gui(container: type[_C], no_margin: bool = True) -> type[_C | ClassGuiBase]: """ Make a ClassGui class from a Container widget. Because GUI class inherits Container here, functions that need overriden must be defined here, not in ClassGuiBase. """ def wrapper(cls_: type[ClassGuiBase]): cls = type(cls_.__name__, (container, ClassGuiBase), {}) def __init__(self: cls, layout: str = "vertical", parent = None, close_on_run: bool = None, popup_mode: str | PopUpMode = None, error_mode: str | ErrorMode = None, labels: bool = True, name: str = None, visible: bool = None, ): container.__init__(self, layout=layout, labels=labels, name=name, visible=visible) BaseGui.__init__(self, close_on_run=close_on_run, popup_mode=popup_mode, error_mode=error_mode) if parent is not None: self.parent = parent self._menubar = None self._toolbar = None self.native.setObjectName(self.name) self.native.setWindowTitle(self.name) def __setattr__(self: cls, name: str, value: Any): if not isinstance(getattr(self.__class__, name, None), MagicField): container.__setattr__(self, name, value) else: object.__setattr__(self, name, value) def _fast_insert(self: cls, key: int, widget: Widget | Callable): if isinstance(widget, Callable): # Sometimes uses want to dynamically add new functions to GUI. if isinstance(widget, FunctionGui): if widget.parent is None: f = nested_function_gui_callback(self, widget) widget.called.connect(f) else: widget = self._create_widget_from_method(widget) # _hide_labels should not contain Container because some ValueWidget like widgets # are Containers. _hide_labels = (_LabeledWidget, ButtonWidget, ClassGuiBase, FreeWidget, Label, Image, Table, FunctionGui) if isinstance(widget, (ValueWidget, ContainerWidget)): widget.changed.connect(lambda: self.changed.emit(self)) if hasattr(widget, "__magicclass_parent__") or \ hasattr(widget.__class__, "__magicclass_parent__"): if isinstance(widget, ClassGuiBase) and self._remove_child_margins: widget.margins = (0, 0, 0, 0) widget.__magicclass_parent__ = self _widget = widget if self.labels: # no labels for button widgets (push buttons, checkboxes, have their own) if not isinstance(widget, _hide_labels): _widget = _LabeledWidget(widget) widget.label_changed.connect(self._unify_label_widths) self._list.insert(key, widget) if key < 0: key += len(self) self._widget._mgui_insert_widget(key, _widget) def insert(self: cls, key: int, widget: Widget): self._fast_insert(key, widget) self._unify_label_widths() def show(self: cls, run: bool = True) -> None: """ Show ClassGui. If any of the parent ClassGui is a dock widget in napari, then this will also show up as a dock widget (floating if in popup mode). Parameters ---------- run : bool, default is True *Unlike magicgui, this parameter should always be True* unless you want to close the window immediately. If true, application gets executed *if needed*. """ if self.__magicclass_parent__ is not None and self.parent is None: # If child magic class is closed before, we have to set parent again. self.native.setParent(self.__magicclass_parent__.native, self.native.windowFlags()) viewer = self.parent_viewer if viewer is not None and self.parent is not None: name = self.parent.objectName() if name in viewer.window._dock_widgets: viewer.window._dock_widgets[name].show() else: dock = viewer.window.add_dock_widget(self, area="right", allowed_areas=["left", "right"]) dock.setFloating(self._popup_mode == PopUpMode.popup) else: container.show(self, run=False) self.native.activateWindow() if run: run_app() return None def reset_choices(self: cls, *_: Any): """Reset child Categorical widgets""" for widget in self: if hasattr(widget, "reset_choices"): widget.reset_choices() for widget in self.__magicclass_children__: if hasattr(widget, "reset_choices"): widget.reset_choices() def close(self: cls): current_self = self._search_parent_magicclass() viewer = current_self.parent_viewer if viewer is not None: try: viewer.window.remove_dock_widget(self.parent) except Exception: pass container.close(self) return None cls.__init__ = __init__ cls.__setattr__ = __setattr__ cls._fast_insert = _fast_insert cls.insert = insert cls.show = show cls.reset_choices = reset_choices cls.close = close cls._container_widget = container cls._remove_child_margins = no_margin return cls return wrapper
@make_gui(Container) class ClassGui: pass @make_gui(SplitterContainer) class SplitClassGui: pass @make_gui(ScrollableContainer) class ScrollableClassGui: pass @make_gui(DraggableContainer) class DraggableClassGui: pass @make_gui(CollapsibleContainer) class CollapsibleClassGui: pass @make_gui(HCollapsibleContainer) class HCollapsibleClassGui: pass @make_gui(ButtonContainer) class ButtonClassGui: pass @make_gui(ToolBoxContainer, no_margin=False) class ToolBoxClassGui: pass @make_gui(TabbedContainer, no_margin=False) class TabbedClassGui: pass @make_gui(StackedContainer, no_margin=False) class StackedClassGui: pass @make_gui(ListContainer, no_margin=False) class ListClassGui: pass @make_gui(SubWindowsContainer, no_margin=False) class SubWindowsClassGui: pass @make_gui(GroupBoxContainer, no_margin=False) class GroupBoxClassGui: pass @make_gui(FrameContainer, no_margin=False) class FrameClassGui: pass @make_gui(MainWindow) class MainWindowClassGui: pass