From 6bbe6e47fceceaaf731ebad2d9a9edecefb8fbb2 Mon Sep 17 00:00:00 2001 From: Storm Dragon Date: Thu, 3 Apr 2025 14:00:06 -0400 Subject: [PATCH] Simplified the plugin code. Hopefully it at least somewhat works better now. --- src/cthulhu/cthulhuVersion.py | 2 +- src/cthulhu/plugin.py | 514 +-------- src/cthulhu/plugin_system_manager.py | 1279 +++------------------ src/cthulhu/plugins/hello_world/plugin.py | 61 +- 4 files changed, 226 insertions(+), 1630 deletions(-) diff --git a/src/cthulhu/cthulhuVersion.py b/src/cthulhu/cthulhuVersion.py index cd499af..ff8827e 100644 --- a/src/cthulhu/cthulhuVersion.py +++ b/src/cthulhu/cthulhuVersion.py @@ -23,5 +23,5 @@ # Fork of Orca Screen Reader (GNOME) # Original source: https://gitlab.gnome.org/GNOME/orca -version = "2025.03.27" +version = "2025.04.03" codeName = "testing" diff --git a/src/cthulhu/plugin.py b/src/cthulhu/plugin.py index 3564e71..f3ac43f 100644 --- a/src/cthulhu/plugin.py +++ b/src/cthulhu/plugin.py @@ -1,507 +1,83 @@ #!/usr/bin/env python3 -# # Copyright (c) 2024 Stormux -# Copyright (c) 2010-2012 The Orca Team -# Copyright (c) 2012 Igalia, S.L. -# Copyright (c) 2005-2010 Sun Microsystems Inc. # # This library is free software; you can redistribute it and/or # modify it under the terms of the GNU Lesser General Public # License as published by the Free Software Foundation; either # version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the -# Free Software Foundation, Inc., Franklin Street, Fifth Floor, -# Boston MA 02110-1301 USA. -# -# Fork of Orca Screen Reader (GNOME) -# Original source: https://gitlab.gnome.org/GNOME/orca """Base class for Cthulhu plugins using pluggy.""" import os -import inspect import logging # Import pluggy for hook specifications try: import pluggy cthulhu_hookimpl = pluggy.HookimplMarker("cthulhu") + PLUGGY_AVAILABLE = True except ImportError: # Fallback if pluggy is not available def cthulhu_hookimpl(func=None, **kwargs): - """Dummy decorator for systems without pluggy.""" if func is None: return lambda f: f return func + PLUGGY_AVAILABLE = False + logging.getLogger(__name__).info("Pluggy not available, plugins will be disabled") logger = logging.getLogger(__name__) class Plugin: """Base class for Cthulhu plugins.""" - - def __init__(self, *args, **kwargs): + + def __init__(self): """Initialize the plugin with default attributes.""" self.app = None - self.pluginInfo = None - self.moduleDir = '' - self.hidden = False - self.moduleName = '' + self.plugin_info = None + self.module_name = '' self.name = '' self.version = '' - self.website = '' - self.authors = [] - self.buildIn = False self.description = '' - self.iconName = '' - self.copyright = '' - self.dependencies = False - self.helpUri = '' - self.dataDir = '' - self.translationContext = None - self.dynamicApiManager = None - self.signalManager = None - - def setApp(self, app): - """Set the application reference. - - Args: - app: The Cthulhu application instance. - """ + + def set_app(self, app): + """Set the application reference.""" self.app = app - self.dynamicApiManager = app.getDynamicApiManager() - self.signalManager = app.getSignalManager() - def getApp(self): - """Get the application reference. - - Returns: - The Cthulhu application instance. - """ - return self.app - - def setPluginInfo(self, pluginInfo): - """Set the plugin information. - - Args: - pluginInfo: The plugin information object. - """ - self.pluginInfo = pluginInfo - self.updatePluginInfoAttributes() - - def getPluginInfo(self): - """Get the plugin information. - - Returns: - The plugin information object. - """ - return self.pluginInfo - - def updatePluginInfoAttributes(self): - """Update plugin attributes from the plugin information.""" - self.moduleDir = '' - self.hidden = False - self.moduleName = '' - self.name = '' - self.version = '' - self.website = '' - self.authors = [] - self.buildIn = False - self.description = '' - self.iconName = '' - self.copyright = '' - self.dependencies = False - self.helpUri = '' - self.dataDir = '' - - pluginInfo = self.getPluginInfo() - if pluginInfo is None: + def set_plugin_info(self, plugin_info): + """Set plugin information and extract relevant attributes.""" + self.plugin_info = plugin_info + if plugin_info: + self.module_name = getattr(plugin_info, 'module_name', '') + self.name = getattr(plugin_info, 'name', '') + self.version = getattr(plugin_info, 'version', '') + self.description = getattr(plugin_info, 'description', '') + + @cthulhu_hookimpl + def activate(self, plugin=None): + """Activate the plugin. Override this in subclasses.""" + if plugin is not None and plugin is not self: return - - if hasattr(self.app, 'getPluginSystemManager'): - plugin_system = self.app.getPluginSystemManager() - - self.moduleName = plugin_system.getPluginModuleName(pluginInfo) - self.name = plugin_system.getPluginName(pluginInfo) - self.version = plugin_system.getPluginVersion(pluginInfo) - self.moduleDir = plugin_system.getPluginModuleDir(pluginInfo) - self.buildIn = plugin_system.isPluginBuildIn(pluginInfo) - self.description = plugin_system.getPluginDescription(pluginInfo) - self.hidden = plugin_system.isPluginHidden(pluginInfo) - self.website = plugin_system.getPluginWebsite(pluginInfo) - self.authors = plugin_system.getPluginAuthors(pluginInfo) - self.iconName = plugin_system.getPluginIconName(pluginInfo) - self.copyright = plugin_system.getPluginCopyright(pluginInfo) - self.dependencies = plugin_system.getPluginDependencies(pluginInfo) - self.helpUri = plugin_system.getPlugingetHelpUri(pluginInfo) - self.dataDir = plugin_system.getPluginDataDir(pluginInfo) - else: - # Direct attribute access for pluggy-based plugins - self.moduleName = getattr(pluginInfo, 'module_name', '') - self.name = getattr(pluginInfo, 'name', '') - self.version = getattr(pluginInfo, 'version', '') - self.moduleDir = getattr(pluginInfo, 'module_dir', '') - self.buildIn = getattr(pluginInfo, 'builtin', False) - self.description = getattr(pluginInfo, 'description', '') - self.hidden = getattr(pluginInfo, 'hidden', False) - self.website = getattr(pluginInfo, 'website', '') - self.authors = getattr(pluginInfo, 'authors', []) - self.iconName = getattr(pluginInfo, 'icon_name', '') - self.copyright = getattr(pluginInfo, 'copyright', '') - self.dependencies = getattr(pluginInfo, 'dependencies', []) - self.helpUri = getattr(pluginInfo, 'help_uri', '') - self.dataDir = getattr(pluginInfo, 'data_dir', '') - - self.updateTranslationContext() - - def updateTranslationContext(self, domain=None, localeDir=None, language=None, fallbackToCthulhuTranslation=True): - """Update the translation context. - - Args: - domain: The translation domain. - localeDir: The locale directory. - language: The language to use. - fallbackToCthulhuTranslation: Whether to fall back to Cthulhu translations. - """ - self.translationContext = None - useLocaleDir = f'{self.getModuleDir()}/locale/' - - if localeDir: - if os.path.isdir(localeDir): - useLocaleDir = localeDir - - useName = self.getModuleName() - useDomain = useName - - if domain: - useDomain = domain - - useLanguage = None - if language: - useLanguage = language - - translation_manager = self.getApp().getTranslationManager() - self.translationContext = translation_manager.initTranslation( - useName, - domain=useDomain, - localeDir=useLocaleDir, - language=useLanguage, - fallbackToCthulhuTranslation=fallbackToCthulhuTranslation - ) - - # Point _ to the translation object in the globals namespace of the caller frame - try: - callerFrame = inspect.currentframe().f_back - # Install our gettext and ngettext function to the upper frame - callerFrame.f_globals['_'] = self.translationContext.gettext - callerFrame.f_globals['ngettext'] = self.translationContext.ngettext - finally: - del callerFrame # Avoid reference problems with frames (per python docs) - - def getTranslationContext(self): - """Get the translation context. - - Returns: - The translation context. - """ - return self.translationContext - - def isPluginBuildIn(self): - """Check if the plugin is built-in. - - Returns: - True if the plugin is built-in, False otherwise. - """ - return self.buildIn - - def isPluginHidden(self): - """Check if the plugin is hidden. - - Returns: - True if the plugin is hidden, False otherwise. - """ - return self.hidden - - def getAuthors(self): - """Get the plugin authors. - - Returns: - A list of plugin authors. - """ - return self.authors - - def getCopyright(self): - """Get the plugin copyright. - - Returns: - The plugin copyright. - """ - return self.copyright - - def getDataDir(self): - """Get the plugin data directory. - - Returns: - The plugin data directory. - """ - return self.dataDir - - def getDependencies(self): - """Get the plugin dependencies. - - Returns: - The plugin dependencies. - """ - return self.dependencies - - def getDescription(self): - """Get the plugin description. - - Returns: - The plugin description. - """ - return self.description - - def getgetHelpUri(self): - """Get the plugin help URI. - - Returns: - The plugin help URI. - """ - return self.helpUri - - def getIconName(self): - """Get the plugin icon name. - - Returns: - The plugin icon name. - """ - return self.iconName - - def getModuleDir(self): - """Get the plugin module directory. - - Returns: - The plugin module directory. - """ - return self.moduleDir - - def getModuleName(self): - """Get the plugin module name. - - Returns: - The plugin module name. - """ - return self.moduleName - - def getName(self): - """Get the plugin name. - - Returns: - The plugin name. - """ - return self.name - - def getVersion(self): - """Get the plugin version. - - Returns: - The plugin version. - """ - return self.version - - def getWebsite(self): - """Get the plugin website. - - Returns: - The plugin website. - """ - return self.website - - def getSetting(self, key): - """Get a plugin setting. - - Args: - key: The setting key. - - Returns: - The setting value, or None if not found. - """ - # To be implemented - return None - - def setSetting(self, key, value): - """Set a plugin setting. - - Args: - key: The setting key. - value: The setting value. - """ - # To be implemented - pass - - def registerGestureByString(self, function, name, gestureString, learnModeEnabled=True): - """Register a gesture by string. - - Args: - function: The function to call when the gesture is triggered. - name: The name of the gesture. - gestureString: The gesture string. - learnModeEnabled: Whether the gesture is enabled in learn mode. - - Returns: - The registered keybinding. - """ - keybinding = self.getApp().getAPIHelper().registerGestureByString( - function, - name, - gestureString, - 'default', - 'cthulhu', - learnModeEnabled, - contextName=self.getModuleName() - ) - return keybinding - - def unregisterShortcut(self, keybinding, learnModeEnabled=True): - """Unregister a shortcut. - - Args: - keybinding: The keybinding to unregister. - learnModeEnabled: Whether the shortcut is enabled in learn mode. - - Returns: - True if the shortcut was unregistered, False otherwise. - """ - ok = self.getApp().getAPIHelper().unregisterShortcut( - keybinding, - contextName=self.getModuleName() - ) - return ok - - def registerSignal(self, signalName, signalFlag=None, closure=None, accumulator=()): - """Register a signal. - - Args: - signalName: The signal name. - signalFlag: The signal flags. - closure: The closure. - accumulator: The accumulator. - - Returns: - True if the signal was registered, False otherwise. - """ - if signalFlag is None: - # Import GObject if available, otherwise use a dummy value - try: - from gi.repository import GObject - signalFlag = GObject.SignalFlags.RUN_LAST - except ImportError: - signalFlag = 1 # Default value - - if closure is None: - try: - from gi.repository import GObject - closure = GObject.TYPE_NONE - except ImportError: - closure = None # Default value - - ok = self.signalManager.registerSignal( - signalName, - signalFlag, - closure, - accumulator, - contextName=self.getModuleName() - ) - return ok - - def unregisterSignal(self, signalName): - """Unregister a signal. - - Args: - signalName: The signal name. - """ - # To be implemented - pass - - def connectSignal(self, signalName, function, param=None): - """Connect to a signal. - - Args: - signalName: The signal name. - function: The function to call when the signal is triggered. - param: The parameter to pass to the function. - - Returns: - The signal ID. - """ - signalID = self.signalManager.connectSignal( - signalName, - function, - param, - contextName=self.getModuleName() - ) - return signalID - - def disconnectSignalByFunction(self, function): - """Disconnect a signal by function. - - Args: - function: The function to disconnect. - """ - # Need to get mapped function - mappedFunction = function - self.signalManager.disconnectSignalByFunction( - mappedFunction, - contextName=self.getModuleName() - ) - - def registerAPI(self, key, value, application=''): - """Register an API. - - Args: - key: The API key. - value: The API value. - application: The application. - - Returns: - True if the API was registered, False otherwise. - """ - ok = self.dynamicApiManager.registerAPI( - key, - value, - application=application, - contextName=self.getModuleName() - ) - return ok - - def unregisterAPI(self, key, application=''): - """Unregister an API. - - Args: - key: The API key. - application: The application. - """ - self.dynamicApiManager.unregisterAPI( - key, - application=application, - contextName=self.getModuleName() - ) + logger.info(f"Activating plugin: {self.name}") - # Pluggy-specific hook implementations - @cthulhu_hookimpl - def activate(self): - """Activate the plugin. This method should be overridden by subclasses.""" - logger.info(f"Activating plugin: {self.getName()}") - - @cthulhu_hookimpl - def deactivate(self): - """Deactivate the plugin. This method should be overridden by subclasses.""" - logger.info(f"Deactivating plugin: {self.getName()}") + def deactivate(self, plugin=None): + """Deactivate the plugin. Override this in subclasses.""" + if plugin is not None and plugin is not self: + return + logger.info(f"Deactivating plugin: {self.name}") + + def registerGestureByString(self, function, name, gestureString, learnModeEnabled=True): + """Register a gesture by string.""" + if self.app: + api_helper = self.app.getAPIHelper() + if api_helper: + return api_helper.registerGestureByString( + function, + name, + gestureString, + 'default', + 'cthulhu', + learnModeEnabled, + contextName=self.module_name + ) + return None diff --git a/src/cthulhu/plugin_system_manager.py b/src/cthulhu/plugin_system_manager.py index 1a95189..5b8a587 100644 --- a/src/cthulhu/plugin_system_manager.py +++ b/src/cthulhu/plugin_system_manager.py @@ -1,37 +1,16 @@ - #!/usr/bin/env python3 -# +#!/usr/bin/env python3 # Copyright (c) 2024 Stormux -# Copyright (c) 2010-2012 The Orca Team -# Copyright (c) 2012 Igalia, S.L. -# Copyright (c) 2005-2010 Sun Microsystems Inc. # # This library is free software; you can redistribute it and/or # modify it under the terms of the GNU Lesser General Public # License as published by the Free Software Foundation; either # version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the -# Free Software Foundation, Inc., Franklin Street, Fifth Floor, -# Boston MA 02110-1301 USA. -# -# Fork of Orca Screen Reader (GNOME) -# Original source: https://gitlab.gnome.org/GNOME/orca """Plugin System Manager for Cthulhu using pluggy.""" import os import inspect -import sys -import tarfile -import shutil import importlib.util -import importlib.machinery import logging from enum import IntEnum @@ -41,33 +20,15 @@ try: PLUGGY_AVAILABLE = True except ImportError: PLUGGY_AVAILABLE = False - print("Warning: Couldn't import pluggy. Plugins will not be available.") - -try: - from gi.repository import GObject - from gi.repository import Atspi - GOBJECT_AVAILABLE = True -except ImportError: - GOBJECT_AVAILABLE = False - print("Warning: GObject not available. Some functionality may be limited.") - -from cthulhu import resource_manager + logging.getLogger(__name__).info("Pluggy not available, plugins will be disabled") logger = logging.getLogger(__name__) class PluginType(IntEnum): - """Types of plugins we support, depending on their directory location.""" - # SYSTEM: provides system wide plugins + """Types of plugins we support.""" SYSTEM = 1 - # USER: provides per user plugin USER = 2 - def __str__(self): - if self.value == PluginType.SYSTEM: - return "System plugin" - elif self.value == PluginType.USER: - return "User plugin" - def get_root_dir(self): """Returns the directory where this type of plugins can be found.""" if self.value == PluginType.SYSTEM: @@ -80,16 +41,8 @@ class PluginType(IntEnum): class PluginInfo: """Information about a plugin.""" - + def __init__(self, name, module_name, module_dir, metadata=None): - """Initialize a PluginInfo object. - - Args: - name: The plugin name. - module_name: The module name. - module_dir: The module directory. - metadata: The plugin metadata. - """ self.name = name self.module_name = module_name self.module_dir = module_dir @@ -99,337 +52,122 @@ class PluginInfo: self.module = None self.instance = None self.loaded = False - + def get_module_name(self): - """Get the module name. - - Returns: - The module name. - """ return self.module_name - + def get_name(self): - """Get the plugin name. - - Returns: - The plugin name. - """ return self.metadata.get('name', self.name) - + def get_version(self): - """Get the plugin version. - - Returns: - The plugin version. - """ return self.metadata.get('version', '0.0.0') - + def get_description(self): - """Get the plugin description. - - Returns: - The plugin description. - """ return self.metadata.get('description', '') - - def get_authors(self): - """Get the plugin authors. - - Returns: - A list of plugin authors. - """ - authors = self.metadata.get('authors', []) - if isinstance(authors, str): - authors = [authors] - return authors - - def get_website(self): - """Get the plugin website. - - Returns: - The plugin website. - """ - return self.metadata.get('website', '') - - def get_copyright(self): - """Get the plugin copyright. - - Returns: - The plugin copyright. - """ - return self.metadata.get('copyright', '') - + def get_module_dir(self): - """Get the plugin module directory. - - Returns: - The plugin module directory. - """ return self.module_dir - - def get_data_dir(self): - """Get the plugin data directory. - - Returns: - The plugin data directory. - """ - return self.module_dir - - def get_dependencies(self): - """Get the plugin dependencies. - - Returns: - A list of plugin dependencies. - """ - return self.metadata.get('dependencies', []) - - def get_help_uri(self): - """Get the plugin help URI. - - Returns: - The plugin help URI. - """ - return self.metadata.get('help_uri', '') - - def get_icon_name(self): - """Get the plugin icon name. - - Returns: - The plugin icon name. - """ - return self.metadata.get('icon_name', '') - - def get_settings(self): - """Get the plugin settings. - - Returns: - The plugin settings. - """ - return None # To be implemented - - def is_builtin(self): - """Check if the plugin is built-in. - - Returns: - True if the plugin is built-in, False otherwise. - """ - return self.builtin - - def is_hidden(self): - """Check if the plugin is hidden. - - Returns: - True if the plugin is hidden, False otherwise. - """ - return self.hidden - - def is_available(self): - """Check if the plugin is available. - - Returns: - True if the plugin is available, False otherwise. - """ - return True - - def is_loaded(self): - """Check if the plugin is loaded. - - Returns: - True if the plugin is loaded, False otherwise. - """ - return self.loaded - - -class CthulhuHookSpecs: - """Hook specifications for Cthulhu plugins.""" - - def activate(self): - """Called when the plugin is activated.""" - pass - - def deactivate(self): - """Called when the plugin is deactivated.""" - pass - - -if GOBJECT_AVAILABLE: - class API(GObject.GObject): - """Interface that gives access to all the objects of Cthulhu.""" - def __init__(self, app): - GObject.GObject.__init__(self) - self.app = app -else: - class API: - """Interface that gives access to all the objects of Cthulhu.""" - def __init__(self, app): - self.app = app class PluginSystemManager: """Cthulhu Plugin Manager using pluggy.""" - + def __init__(self, app): - """Initialize the plugin system manager. - - Args: - app: The Cthulhu application instance. - """ self.app = app - + # Initialize plugin manager if PLUGGY_AVAILABLE: self.plugin_manager = pluggy.PluginManager("cthulhu") + + # Define hook specifications hook_spec = pluggy.HookspecMarker("cthulhu") - for name, method in inspect.getmembers(CthulhuHookSpecs, inspect.isfunction): - setattr(CthulhuHookSpecs, name, hook_spec(method)) + + class CthulhuHookSpecs: + @hook_spec + def activate(self, plugin=None): + """Called when the plugin is activated.""" + pass + + @hook_spec + def deactivate(self, plugin=None): + """Called when the plugin is deactivated.""" + pass + self.plugin_manager.add_hookspecs(CthulhuHookSpecs) else: self.plugin_manager = None - - # List of plugin infos + + # Plugin storage self._plugins = {} # module_name -> PluginInfo self._active_plugins = [] - self._ignore_plugin_module_path = [] - - self._setup_plugins_dir() - - if self.app: - self.gsettingsManager = self.app.getSettingsManager() - + + # Create plugin directories + self._setup_plugin_dirs() + + def _setup_plugin_dirs(self): + """Ensure plugin directories exist.""" + os.makedirs(PluginType.SYSTEM.get_root_dir(), exist_ok=True) + os.makedirs(PluginType.USER.get_root_dir(), exist_ok=True) + @property def plugins(self): - """Get the list of all plugins. - - Returns: - A list of PluginInfo objects. - """ + """Get all available plugins.""" return list(self._plugins.values()) - - def _setup_plugins_dir(self): - """Set up plugin directories.""" - # Ensure plugin directories exist - system_plugins_dir = PluginType.SYSTEM.get_root_dir() - user_plugins_dir = PluginType.USER.get_root_dir() - - os.makedirs(system_plugins_dir, exist_ok=True) - os.makedirs(user_plugins_dir, exist_ok=True) - + def getApp(self): - """Get the application instance. - - Returns: - The Cthulhu application instance. - """ return self.app - - @classmethod - def getPluginType(cls, pluginInfo): - """Get the plugin type for a plugin. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin type (PluginType.SYSTEM or PluginType.USER). - """ - plugin_dir = pluginInfo.get_module_dir() - if plugin_dir.startswith(PluginType.SYSTEM.get_root_dir()): - return PluginType.SYSTEM - return PluginType.USER - - def getExtension(self, pluginInfo): - """Get the plugin extension. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin instance or None if not found. - """ - if not pluginInfo: - return None - - return pluginInfo.instance - + def rescanPlugins(self): - """Rescan for plugins in the plugin directories.""" + """Scan for plugins in the plugin directories.""" old_plugins = self._plugins.copy() self._plugins = {} - - # Scan system plugins - self._scan_plugins_in_directory(PluginType.SYSTEM.get_root_dir(), PluginType.SYSTEM) - - # Scan user plugins - self._scan_plugins_in_directory(PluginType.USER.get_root_dir(), PluginType.USER) - - # Preserve loaded state from old plugins + + # Scan system and user plugins + self._scan_plugins_in_directory(PluginType.SYSTEM.get_root_dir()) + self._scan_plugins_in_directory(PluginType.USER.get_root_dir()) + + # Preserve state for already loaded plugins for name, old_info in old_plugins.items(): if name in self._plugins and old_info.loaded: self._plugins[name].loaded = True self._plugins[name].instance = old_info.instance self._plugins[name].module = old_info.module - - # Garbage collect - if PLUGGY_AVAILABLE: - plugins_to_remove = set(old_plugins.keys()) - set(self._plugins.keys()) - for name in plugins_to_remove: - if old_plugins[name].instance: - try: - self.plugin_manager.unregister(old_plugins[name].instance) - except Exception as e: - logger.error(f"Error unregistering plugin {name}: {e}") - - def _scan_plugins_in_directory(self, directory, plugin_type): - """Scan for plugins in a directory. - - Args: - directory: The directory to scan. - plugin_type: The plugin type. - """ + + def _scan_plugins_in_directory(self, directory): + """Scan for plugins in a directory.""" if not os.path.exists(directory) or not os.path.isdir(directory): return - + for item in os.listdir(directory): plugin_dir = os.path.join(directory, item) if not os.path.isdir(plugin_dir): continue - - if plugin_dir in self._ignore_plugin_module_path: - continue - - # Look for plugin files + plugin_file = os.path.join(plugin_dir, "plugin.py") metadata_file = os.path.join(plugin_dir, "plugin.info") - + if os.path.isfile(plugin_file): # Extract plugin info module_name = os.path.basename(plugin_dir) metadata = self._load_plugin_metadata(metadata_file) - + plugin_info = PluginInfo( metadata.get('name', module_name), module_name, plugin_dir, metadata ) - - plugin_info.builtin = (plugin_type == PluginType.SYSTEM and - metadata.get('builtin', 'false') == 'true') - plugin_info.hidden = metadata.get('hidden', 'false') == 'true' - + + # Check if it's a built-in or hidden plugin + plugin_info.builtin = metadata.get('builtin', 'false').lower() == 'true' + plugin_info.hidden = metadata.get('hidden', 'false').lower() == 'true' + self._plugins[module_name] = plugin_info - + def _load_plugin_metadata(self, metadata_file): - """Load plugin metadata from a file. - - Args: - metadata_file: The metadata file path. - - Returns: - A dictionary of metadata. - """ + """Load plugin metadata from a file.""" metadata = {} - + if os.path.isfile(metadata_file): try: with open(metadata_file, 'r') as f: @@ -437,277 +175,31 @@ class PluginSystemManager: line = line.strip() if not line or line.startswith('#'): continue - + if '=' in line: key, value = line.split('=', 1) metadata[key.strip()] = value.strip() except Exception as e: logger.error(f"Error loading plugin metadata: {e}") - + return metadata - - def getPluginInfoByName(self, pluginName, pluginType=PluginType.USER): - """Get plugin information by name. - - Args: - pluginName: The plugin name. - pluginType: The plugin type. - - Returns: - The plugin information or None if not found. - """ - plugin_info = self._plugins.get(pluginName) - if plugin_info and self.getPluginType(plugin_info) == pluginType: - return plugin_info - return None - + def getActivePlugins(self): - """Get the list of active plugin names. - - Returns: - A list of active plugin names. - """ + """Get the list of active plugin names.""" return self._active_plugins - + def setActivePlugins(self, activePlugins): - """Set the list of active plugins and sync their state. - - Args: - activePlugins: A list of plugin names to activate. - """ + """Set active plugins and sync their state.""" self._active_plugins = activePlugins self.syncAllPluginsActive() - - def isPluginBuildIn(self, pluginInfo): - """Check if a plugin is built-in. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin is built-in, False otherwise. - """ - return pluginInfo.is_builtin() - - def isPluginHidden(self, pluginInfo): - """Check if a plugin is hidden. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin is hidden, False otherwise. - """ - return pluginInfo.is_hidden() - - def getPluginAuthors(self, pluginInfo): - """Get the plugin authors. - - Args: - pluginInfo: The plugin information. - - Returns: - A list of plugin authors. - """ - return pluginInfo.get_authors() - - def getPluginCopyright(self, pluginInfo): - """Get the plugin copyright. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin copyright. - """ - return pluginInfo.get_copyright() - - def getPluginDataDir(self, pluginInfo): - """Get the plugin data directory. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin data directory. - """ - return pluginInfo.get_data_dir() - - def getPluginDependencies(self, pluginInfo): - """Get the plugin dependencies. - - Args: - pluginInfo: The plugin information. - - Returns: - A list of plugin dependencies. - """ - return pluginInfo.get_dependencies() - - def getPluginDescription(self, pluginInfo): - """Get the plugin description. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin description. - """ - return pluginInfo.get_description() - - def getPluginHelpUri(self, pluginInfo): - """Get the plugin help URI. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin help URI. - """ - return pluginInfo.get_help_uri() - - def getPluginIconName(self, pluginInfo): - """Get the plugin icon name. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin icon name. - """ - return pluginInfo.get_icon_name() - - def getPluginModuleDir(self, pluginInfo): - """Get the plugin module directory. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin module directory. - """ - return pluginInfo.get_module_dir() - - def getPluginModuleName(self, pluginInfo): - """Get the plugin module name. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin module name. - """ - return pluginInfo.get_module_name() - - def getPluginName(self, pluginInfo): - """Get the plugin name. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin name. - """ - return pluginInfo.get_name() - - def getPluginSettings(self, pluginInfo): - """Get the plugin settings. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin settings. - """ - return pluginInfo.get_settings() - - def getPluginVersion(self, pluginInfo): - """Get the plugin version. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin version. - """ - return pluginInfo.get_version() - - def getPluginWebsite(self, pluginInfo): - """Get the plugin website. - - Args: - pluginInfo: The plugin information. - - Returns: - The plugin website. - """ - return pluginInfo.get_website() - - def isPluginAvailable(self, pluginInfo): - """Check if a plugin is available. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin is available, False otherwise. - """ - try: - return pluginInfo.is_available() - except: - return False - - def isPluginLoaded(self, pluginInfo): - """Check if a plugin is loaded. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin is loaded, False otherwise. - """ - try: - return pluginInfo.is_loaded() - except: - return False - - def getIgnoredPlugins(self): - """Get the list of ignored plugin paths. - - Returns: - A list of ignored plugin paths. - """ - return self._ignore_plugin_module_path - - def setIgnoredPlugins(self, pluginModulePath, ignored): - """Set a plugin path as ignored or not. - - Args: - pluginModulePath: The plugin module path. - ignored: Whether to ignore the plugin. - """ - if pluginModulePath.endswith('/'): - pluginModulePath = pluginModulePath[:-1] - - if ignored: - if pluginModulePath not in self.getIgnoredPlugins(): - self._ignore_plugin_module_path.append(pluginModulePath) - else: - if pluginModulePath in self.getIgnoredPlugins(): - self._ignore_plugin_module_path.remove(pluginModulePath) - + def setPluginActive(self, pluginInfo, active): - """Set the active state of a plugin. - - Args: - pluginInfo: The plugin information. - active: Whether to activate the plugin. - """ - if self.isPluginBuildIn(pluginInfo): + """Set the active state of a plugin.""" + if pluginInfo.builtin: active = True - - pluginName = self.getPluginModuleName(pluginInfo) - + + pluginName = pluginInfo.get_module_name() + if active: if pluginName not in self.getActivePlugins(): if self.loadPlugin(pluginInfo): @@ -716,75 +208,50 @@ class PluginSystemManager: if pluginName in self.getActivePlugins(): if self.unloadPlugin(pluginInfo): self._active_plugins.remove(pluginName) - + def isPluginActive(self, pluginInfo): - """Check if a plugin is active. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin is active, False otherwise. - """ - if self.isPluginBuildIn(pluginInfo): + """Check if a plugin is active.""" + if pluginInfo.builtin: return True - - if self.isPluginLoaded(pluginInfo): + + if pluginInfo.loaded: return True - - active_plugin_names = self.getActivePlugins() - return self.getPluginModuleName(pluginInfo) in active_plugin_names - - def syncAllPluginsActive(self, ForceAllPlugins=False): - """Sync the active state of all plugins. - - Args: - ForceAllPlugins: Whether to force all plugins to sync. - """ - self.unloadAllPlugins(ForceAllPlugins) - self.loadAllPlugins(ForceAllPlugins) - - def loadAllPlugins(self, ForceAllPlugins=False): - """Load all active plugins. - - Args: - ForceAllPlugins: Whether to force all plugins to load. - """ + + return pluginInfo.get_module_name() in self.getActivePlugins() + + def syncAllPluginsActive(self): + """Sync the active state of all plugins.""" + # First unload inactive plugins for pluginInfo in self.plugins: - if self.isPluginActive(pluginInfo) or ForceAllPlugins: + if not self.isPluginActive(pluginInfo) and pluginInfo.loaded: + self.unloadPlugin(pluginInfo) + + # Then load active plugins + for pluginInfo in self.plugins: + if self.isPluginActive(pluginInfo) and not pluginInfo.loaded: self.loadPlugin(pluginInfo) - + def loadPlugin(self, pluginInfo): - """Load a plugin. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin was loaded successfully, False otherwise. - """ - resourceManager = self.getApp().getResourceManager() - moduleName = pluginInfo.get_module_name() - + """Load a plugin.""" + # Skip if pluggy is not available + if not PLUGGY_AVAILABLE: + logger.info(f"Skipping plugin {pluginInfo.get_name()}: pluggy not available") + return False + + module_name = pluginInfo.get_module_name() + try: - if pluginInfo not in self.plugins: - print(f"Plugin missing: {moduleName}") - return False - - # Add resource context - resourceManager.addResourceContext(moduleName) - - # If already loaded, nothing to do + # Already loaded? if pluginInfo.loaded: return True - + # Import plugin module plugin_file = os.path.join(pluginInfo.get_module_dir(), "plugin.py") - spec = importlib.util.spec_from_file_location(moduleName, plugin_file) + spec = importlib.util.spec_from_file_location(module_name, plugin_file) module = importlib.util.module_from_spec(spec) spec.loader.exec_module(module) pluginInfo.module = module - + # Find Plugin class plugin_class = None for attr_name in dir(module): @@ -794,516 +261,80 @@ class PluginSystemManager: hasattr(attr, 'activate')): plugin_class = attr break - + if not plugin_class: - print(f"No plugin class found in {moduleName}") + logger.error(f"No plugin class found in {module_name}") return False - - # Create plugin instance + + # Create and initialize plugin instance plugin_instance = plugin_class() pluginInfo.instance = plugin_instance - - # Initialize plugin - if hasattr(plugin_instance, 'setApp'): - plugin_instance.setApp(self.getApp()) - - if hasattr(plugin_instance, 'setPluginInfo'): - plugin_instance.setPluginInfo(pluginInfo) - - # Register with pluggy - if PLUGGY_AVAILABLE and self.plugin_manager: - self.plugin_manager.register(plugin_instance) - - # Activate plugin - if hasattr(plugin_instance, 'activate'): - plugin_instance.activate() - + + if hasattr(plugin_instance, 'set_app'): + plugin_instance.set_app(self.getApp()) + + if hasattr(plugin_instance, 'set_plugin_info'): + plugin_instance.set_plugin_info(pluginInfo) + + # Register with pluggy and activate + self.plugin_manager.register(plugin_instance) + try: + self.plugin_manager.hook.activate(plugin=plugin_instance) + except Exception as e: + logger.error(f"Error activating plugin {module_name}: {e}") + return False + pluginInfo.loaded = True + logger.info(f"Loaded plugin: {module_name}") return True - + except Exception as e: - print(f'loadPlugin: {e}') - import traceback - traceback.print_exc() + logger.error(f"Failed to load plugin {module_name}: {e}") return False - - def unloadAllPlugins(self, ForceAllPlugins=False): - """Unload all inactive plugins. - - Args: - ForceAllPlugins: Whether to force all plugins to unload. - """ - for pluginInfo in self.plugins: - if not self.isPluginActive(pluginInfo) or ForceAllPlugins: - self.unloadPlugin(pluginInfo) - + def unloadPlugin(self, pluginInfo): - """Unload a plugin. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin was unloaded successfully, False otherwise. - """ - resourceManager = self.getApp().getResourceManager() - moduleName = pluginInfo.get_module_name() - + """Unload a plugin.""" + # Skip if pluggy is not available + if not PLUGGY_AVAILABLE: + return False + + if pluginInfo.builtin: + return False + + module_name = pluginInfo.get_module_name() + try: - if pluginInfo not in self.plugins: - print(f"Plugin missing: {moduleName}") - return False - - if self.isPluginBuildIn(pluginInfo): - return False - - # If not loaded, nothing to do + # Not loaded? if not pluginInfo.loaded: return True - + # Deactivate plugin plugin_instance = pluginInfo.instance if plugin_instance: - if hasattr(plugin_instance, 'deactivate'): - plugin_instance.deactivate() - + try: + self.plugin_manager.hook.deactivate(plugin=plugin_instance) + except Exception as e: + logger.error(f"Error deactivating plugin {module_name}: {e}") + # Unregister from pluggy - if PLUGGY_AVAILABLE and self.plugin_manager: - self.plugin_manager.unregister(plugin_instance) - + self.plugin_manager.unregister(plugin_instance) + # Clean up pluginInfo.instance = None pluginInfo.loaded = False - - # Remove resource context - resourceManager.removeResourceContext(moduleName) - + + logger.info(f"Unloaded plugin: {module_name}") return True - - except Exception as e: - print(f'unloadPlugin: {e}') - return False - - def installPlugin(self, pluginFilePath, pluginType=PluginType.USER): - """Install a plugin from a tarball. - - Args: - pluginFilePath: The plugin file path. - pluginType: The plugin type. - - Returns: - True if the plugin was installed successfully, False otherwise. - """ - if not self.isValidPluginFile(pluginFilePath): - return False - - pluginFolder = pluginType.get_root_dir() - if not pluginFolder.endswith('/'): - pluginFolder += '/' - - if not os.path.exists(pluginFolder): - os.makedirs(pluginFolder) - else: - if not os.path.isdir(pluginFolder): - return False - - try: - with tarfile.open(pluginFilePath) as tar: - tar.extractall(path=pluginFolder) - except Exception as e: - print(e) - return False - - pluginModulePath = self.getModuleDirByPluginFile(pluginFilePath) - if pluginModulePath: - pluginModulePath = pluginFolder + pluginModulePath - self.setIgnoredPlugins(pluginModulePath[:-1], False) # without ending / - print(f'install: {pluginFilePath}') - self.callPackageTriggers(pluginModulePath, 'onPostInstall') - - self.rescanPlugins() - return True - - def getModuleDirByPluginFile(self, pluginFilePath): - """Get the module directory from a plugin file. - - Args: - pluginFilePath: The plugin file path. - - Returns: - The module directory, or an empty string if not found. - """ - if not isinstance(pluginFilePath, str): - return '' - - if not pluginFilePath: - return '' - - if not os.path.exists(pluginFilePath): - return '' - - try: - with tarfile.open(pluginFilePath) as tar: - tarMembers = tar.getmembers() - for tarMember in tarMembers: - if tarMember.isdir(): - return tarMember.name - except Exception as e: - print(e) - - return '' - - def isValidPluginFile(self, pluginFilePath): - """Check if a file is a valid plugin package. - - Args: - pluginFilePath: The plugin file path. - - Returns: - True if the file is a valid plugin package, False otherwise. - """ - if not isinstance(pluginFilePath, str): - return False - - if not pluginFilePath: - return False - - if not os.path.exists(pluginFilePath): - return False - - pluginFolder = '' - pluginFileExists = False - packageFileExists = False - - try: - with tarfile.open(pluginFilePath) as tar: - tarMembers = tar.getmembers() - for tarMember in tarMembers: - if tarMember.isdir(): - if not pluginFolder: - pluginFolder = tarMember.name - - if tarMember.isfile(): - if tarMember.name.endswith('.plugin'): - pluginFileExists = True - if tarMember.name.endswith('package.py'): - packageFileExists = True - - if not tarMember.name.startswith(pluginFolder): - return False - except Exception as e: - print(e) - return False - - return pluginFileExists - - def uninstallPlugin(self, pluginInfo): - """Uninstall a plugin. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin was uninstalled successfully, False otherwise. - """ - if self.isPluginBuildIn(pluginInfo): - return False - - # Do we want to allow removing system plugins? - if self.getPluginType(pluginInfo) == PluginType.SYSTEM: - return False - - pluginFolder = pluginInfo.get_data_dir() - if not pluginFolder.endswith('/'): - pluginFolder += '/' - - if not os.path.isdir(pluginFolder): - return False - - if self.isPluginActive(pluginInfo): - self.setPluginActive(pluginInfo, False) - # TODO: Update active plugins in settings - - self.callPackageTriggers(pluginFolder, 'onPreUninstall') - - try: - shutil.rmtree(pluginFolder, ignore_errors=True) - except Exception as e: - print(e) - def uninstallPlugin(self, pluginInfo): - """Uninstall a plugin. - - Args: - pluginInfo: The plugin information. - - Returns: - True if the plugin was uninstalled successfully, False otherwise. - """ - if self.isPluginBuildIn(pluginInfo): - return False - - # Do we want to allow removing system plugins? - if self.getPluginType(pluginInfo) == PluginType.SYSTEM: - return False - - pluginFolder = pluginInfo.get_data_dir() - if not pluginFolder.endswith('/'): - pluginFolder += '/' - - if not os.path.isdir(pluginFolder): - return False - - if self.isPluginActive(pluginInfo): - self.setPluginActive(pluginInfo, False) - # TODO: Update active plugins in settings - - self.callPackageTriggers(pluginFolder, 'onPreUninstall') - - try: - shutil.rmtree(pluginFolder, ignore_errors=True) except Exception as e: - print(e) + logger.error(f"Failed to unload plugin {module_name}: {e}") return False - - self.setIgnoredPlugins(pluginFolder, True) - self.rescanPlugins() - - return True - - def callPackageTriggers(self, pluginPath, trigger): - """Call package trigger functions. - - Args: - pluginPath: The plugin path. - trigger: The trigger name. - """ - if not os.path.exists(pluginPath): - return - - if not pluginPath.endswith('/'): - pluginPath += '/' - - packageModulePath = pluginPath + 'package.py' - if not os.path.isfile(packageModulePath): - return - - if not os.access(packageModulePath, os.R_OK): - return - - package = self.getApp().getAPIHelper().importModule('package', packageModulePath) - - if trigger == 'onPostInstall': - try: - package.onPostInstall(pluginPath, self.getApp()) - except Exception as e: - print(e) - elif trigger == 'onPreUninstall': - try: - package.onPreUninstall(pluginPath, self.getApp()) - except Exception as e: - print(e) + def unloadAllPlugins(self, ForceAllPlugins=False): + """Unload all plugins.""" + if not PLUGGY_AVAILABLE: + return -class APIHelper: - """API Helper for plugin system.""" - - def __init__(self, app): - """Initialize the API helper. - - Args: - app: The Cthulhu application instance. - """ - self.app = app - self.cthulhuKeyBindings = None - - def outputMessage(self, Message, interrupt=False): - """Output a message. - - Args: - Message: The message to output. - interrupt: Whether to interrupt current speech. - """ - settings = self.app.getDynamicApiManager().getAPI('Settings') - braille = self.app.getDynamicApiManager().getAPI('Braille') - speech = self.app.getDynamicApiManager().getAPI('Speech') - - if speech is not None: - if settings.enableSpeech: - if interrupt: - speech.cancel() - if Message: - speech.speak(Message) - - if braille is not None: - if settings.enableBraille: - braille.displayMessage(Message) - - def createInputEventHandler(self, function, name, learnModeEnabled=True): - """Create an input event handler. - - Args: - function: The function to call. - name: The handler name. - learnModeEnabled: Whether learn mode is enabled. - - Returns: - The input event handler. - """ - EventManager = self.app.getDynamicApiManager().getAPI('EventManager') - newInputEventHandler = EventManager.input_event.InputEventHandler(function, name, learnModeEnabled) - return newInputEventHandler - - def registerGestureByString(self, function, name, gestureString, profile, application, learnModeEnabled=True, contextName=None): - """Register a gesture by string. - - Args: - function: The function to call. - name: The gesture name. - gestureString: The gesture string. - profile: The profile. - application: The application. - learnModeEnabled: Whether learn mode is enabled. - contextName: The context name. - - Returns: - The registered gestures. - """ - gestureList = gestureString.split(',') - registeredGestures = [] - - for gesture in gestureList: - if gesture.startswith('kb:'): - shortcutString = gesture[3:] - registuredGesture = self.registerShortcutByString( - function, name, shortcutString, profile, application, learnModeEnabled, contextName=contextName - ) - if registuredGesture: - registeredGestures.append(registuredGesture) - - return registeredGestures - - def registerShortcutByString(self, function, name, shortcutString, profile, application, learnModeEnabled=True, contextName=None): - """Register a shortcut by string. - - Args: - function: The function to call. - name: The shortcut name. - shortcutString: The shortcut string. - profile: The profile. - application: The application. - learnModeEnabled: Whether learn mode is enabled. - contextName: The context name. - - Returns: - The registered shortcut. - """ - keybindings = self.app.getDynamicApiManager().getAPI('Keybindings') - settings = self.app.getDynamicApiManager().getAPI('Settings') - resourceManager = self.app.getResourceManager() - - clickCount = 0 - cthulhuKey = False - shiftKey = False - ctrlKey = False - altKey = False - key = '' - - shortcutList = shortcutString.split('+') - for shortcutElement in shortcutList: - shortcutElementLower = shortcutElement.lower() - if shortcutElementLower == 'press': - clickCount += 1 - elif shortcutElement == 'cthulhu': - cthulhuKey = True - elif shortcutElementLower == 'shift': - shiftKey = True - elif shortcutElementLower == 'control': - ctrlKey = True - elif shortcutElementLower == 'alt': - altKey = True - else: - key = shortcutElementLower - - if clickCount == 0: - clickCount = 1 - - if self.cthulhuKeyBindings is None: - self.cthulhuKeyBindings = keybindings.KeyBindings() - - tryFunction = resource_manager.TryFunction(function) - newInputEventHandler = self.createInputEventHandler(tryFunction.runInputEvent, name, learnModeEnabled) - - currModifierMask = keybindings.NO_MODIFIER_MASK - if cthulhuKey: - currModifierMask = currModifierMask | 1 << keybindings.MODIFIER_CTHULHU - if shiftKey: - currModifierMask = currModifierMask | 1 << Atspi.ModifierType.SHIFT - if altKey: - currModifierMask = currModifierMask | 1 << Atspi.ModifierType.ALT - if ctrlKey: - currModifierMask = currModifierMask | 1 << Atspi.ModifierType.CONTROL - - newKeyBinding = keybindings.KeyBinding( - key, keybindings.defaultModifierMask, currModifierMask, newInputEventHandler, clickCount - ) - self.cthulhuKeyBindings.add(newKeyBinding) - - settings.keyBindingsMap["default"] = self.cthulhuKeyBindings - - if contextName: - resourceContext = resourceManager.getResourceContext(contextName) - if resourceContext: - resourceEntry = resource_manager.ResourceEntry( - 'keyboard', newKeyBinding, function, tryFunction, shortcutString - ) - resourceContext.addGesture(profile, application, newKeyBinding, resourceEntry) - - return newKeyBinding - - def unregisterShortcut(self, KeyBindingToRemove, contextName=None): - """Unregister a shortcut. - - Args: - KeyBindingToRemove: The key binding to remove. - contextName: The context name. - - Returns: - True if the shortcut was unregistered, False otherwise. - """ - ok = False - keybindings = self.app.getDynamicApiManager().getAPI('Keybindings') - settings = self.app.getDynamicApiManager().getAPI('Settings') - resourceManager = self.app.getResourceManager() - - if self.cthulhuKeyBindings is None: - self.cthulhuKeyBindings = keybindings.KeyBindings() - - try: - self.cthulhuKeyBindings.remove(KeyBindingToRemove) - settings.keyBindingsMap["default"] = self.cthulhuKeyBindings - ok = True - except KeyError: - pass - - if contextName: - resourceContext = resourceManager.getResourceContext(contextName) - if resourceContext: - resourceContext.removeGesture(KeyBindingToRemove) - - return ok - - def importModule(self, moduleName, moduleLocation): - """Import a module from a file location. - - Args: - moduleName: The module name. - moduleLocation: The module location. - - Returns: - The imported module. - """ - spec = importlib.util.spec_from_file_location(moduleName, moduleLocation) - module = importlib.util.module_from_spec(spec) - spec.loader.exec_module(module) - return module + for pluginInfo in self.plugins: + if ForceAllPlugins or pluginInfo.loaded: + self.unloadPlugin(pluginInfo) diff --git a/src/cthulhu/plugins/hello_world/plugin.py b/src/cthulhu/plugins/hello_world/plugin.py index 526ead4..874861c 100644 --- a/src/cthulhu/plugins/hello_world/plugin.py +++ b/src/cthulhu/plugins/hello_world/plugin.py @@ -6,75 +6,64 @@ # modify it under the terms of the GNU Lesser General Public # License as published by the Free Software Foundation; either # version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the -# Free Software Foundation, Inc., Franklin Street, Fifth Floor, -# Boston MA 02110-1301 USA. -"""Hello World plugin for Cthulhu using pluggy.""" +"""Hello World plugin for Cthulhu.""" -import os import logging - -# Import from cthulhu from cthulhu.plugin import Plugin, cthulhu_hookimpl logger = logging.getLogger(__name__) class HelloWorld(Plugin): - """Hello World plugin for Cthulhu.""" - + """Hello World plugin.""" + def __init__(self, *args, **kwargs): """Initialize the plugin.""" super().__init__(*args, **kwargs) - print("HelloWorld plugin initialized") - + logger.info("HelloWorld plugin initialized") + @cthulhu_hookimpl - def activate(self): + def activate(self, plugin=None): """Activate the plugin.""" + # Skip if this activation call isn't for us + if plugin is not None and plugin is not self: + return + try: - print("Activate Hello World plugin") - - # Register our keyboard shortcut, same as the original (cthulhu+z) + logger.info("Activating Hello World plugin") + + # Register our keyboard shortcut self.registerGestureByString( self.speakTest, "hello world", "kb:cthulhu+z", learnModeEnabled=True ) - - return True except Exception as e: - print(f"Error activating Hello World plugin: {e}") - return False - + logger.error(f"Error activating Hello World plugin: {e}") + @cthulhu_hookimpl - def deactivate(self): + def deactivate(self, plugin=None): """Deactivate the plugin.""" + # Skip if this deactivation call isn't for us + if plugin is not None and plugin is not self: + return + try: - print("Deactivate Hello World plugin") - return True + logger.info("Deactivating Hello World plugin") except Exception as e: - print(f"Error deactivating Hello World plugin: {e}") - return False - + logger.error(f"Error deactivating Hello World plugin: {e}") + def speakTest(self, script=None, inputEvent=None): """Speak a test message.""" try: if self.app: - # Use the same API call as in the original plugin self.app.getDynamicApiManager().getAPI('CthulhuState').activeScript.presentMessage( 'hello world', resetStyles=False ) - + return True except Exception as e: - print(f"Error in speakTest: {e}") + logger.error(f"Error in speakTest: {e}") return False