Skip to main content

Generic plugin system with discovery, configuration validation, and runtime management for extensible Python applications.

Project description

cjm-plugin-system

Install

pip install cjm_plugin_system

Project Structure

nbs/
├── core/ (3)
│   ├── interface.ipynb  # Abstract base class defining the generic plugin interface
│   ├── manager.ipynb    # Plugin discovery, loading, and lifecycle management system
│   └── metadata.ipynb   # Data structures for plugin metadata
└── utils/ (1)
    └── validation.ipynb  # JSON Schema validation helpers for plugin configuration

Total: 4 notebooks across 2 directories

Module Dependencies

graph LR
    core_interface[core.interface<br/>Plugin Interface]
    core_manager[core.manager<br/>Plugin Manager]
    core_metadata[core.metadata<br/>Plugin Metadata]
    utils_validation[utils.validation<br/>Configuration Validation]

    core_interface --> utils_validation
    core_manager --> core_metadata
    core_manager --> core_interface

3 cross-module dependencies detected

CLI Reference

No CLI commands found in this project.

Module Overview

Detailed documentation for each module in the project:

Plugin Interface (interface.ipynb)

Abstract base class defining the generic plugin interface

Import

from cjm_plugin_system.core.interface import (
    PluginInterface,
    PluginInterface_supports_streaming,
    PluginInterface_execute_stream
)

Functions

def PluginInterface_supports_streaming(self) -> bool:
    """Check if this plugin supports streaming execution.
    
    Returns:
        True if execute_stream is implemented and streaming is supported
    """
    # Default: check if execute_stream is overridden from the base class
    """
    Check if this plugin supports streaming execution.
    
    Returns:
        True if execute_stream is implemented and streaming is supported
    """
def PluginInterface_execute_stream(
    self,
    *args,  # Arguments for plugin execution
    **kwargs  # Keyword arguments for plugin execution
) -> Generator[Any, None, Any]:  # Yields partial results, returns final result
    """
    Stream execution results chunk by chunk.
    
    Default implementation falls back to execute() without streaming.
    Plugins can override this to provide real streaming capabilities.
    
    Args:
        *args: Positional arguments to pass to the plugin
        **kwargs: Keyword arguments to pass to the plugin
        
    Yields:
        Partial results as they become available (type depends on plugin)
        
    Returns:
        Final complete result
        
    Example:
        >>> # Stream results in real-time
        >>> for chunk in plugin.execute_stream(input_data):
        ...     print(chunk, end="", flush=True)
        >>> 
        >>> # Or collect all chunks and get final result
        >>> generator = plugin.execute_stream(input_data)
        >>> chunks = []
        >>> for chunk in generator:
        ...     chunks.append(chunk)
    """

Classes

class PluginInterface(ABC):
    """
    Generic plugin interface that all plugins must implement.
    
    This is a domain-agnostic base class. Domain-specific plugin systems
    should subclass this interface and add their specific requirements.
    
    Example:
        >>> class TranscriptionPlugin(PluginInterface):
        ...     @property
        ...     @abstractmethod
        ...     def supported_formats(self) -> List[str]:
        ...         '''Audio formats this plugin supports.'''
        ...         pass
        ...
        ...     @abstractmethod
        ...     def execute(
        ...         self,
        ...         audio: Union[AudioData, str, Path],
        ...         **kwargs
        ...     ) -> TranscriptionResult:
        ...         '''Transcribe audio to text.'''
        ...         pass
    """
    
    def name(
            self
        ) -> str:  # The unique identifier for this plugin
        "Unique plugin identifier."
    
    def version(
            self
        ) -> str:  # The semantic version string (e.g., "1.0.0")
        "Plugin version."
    
    def initialize(
            self,
            config: Optional[Dict[str, Any]] = None  # Configuration dictionary for plugin-specific settings
        ) -> None
        "Initialize the plugin with configuration.

Args:
    config: Optional configuration dictionary. If not provided,
           defaults from the schema will be used."
    
    def execute(
            self,
            *args,
            **kwargs
        ) -> Any:  # Returns plugin-specific output
        "Execute the plugin's main functionality.

The signature and return type of this method should be defined
by domain-specific plugin interfaces."
    
    def is_available(
            self
        ) -> bool:  # True if all required dependencies are available
        "Check if the plugin's dependencies are available.

Returns:
    True if the plugin can be used, False if dependencies are missing."
    
    def get_config_schema(
        ) -> Dict[str, Any]:  # JSON Schema describing configuration options
        "Return JSON Schema describing the plugin's configuration options.

The schema should follow JSON Schema Draft 7 specification.
This enables automatic UI generation and validation.

Returns:
    Dictionary containing a JSON Schema
    
Example:
    >>> @staticmethod
    >>> def get_config_schema() -> Dict[str, Any]:
    ...     return {
    ...         "type": "object",
    ...         "properties": {
    ...             "model": {
    ...                 "type": "string",
    ...                 "enum": ["tiny", "base", "small"],
    ...                 "default": "base",
    ...                 "description": "Model size to use"
    ...             }
    ...         },
    ...         "required": ["model"]
    ...     }"
    
    def get_current_config(
            self
        ) -> Dict[str, Any]:  # Current configuration state
        "Return the current configuration state.

This should return the actual configuration being used by the plugin,
which may include defaults not explicitly set by the user.

Returns:
    Dictionary containing current configuration values"
    
    def validate_config(
            self,
            config: Dict[str, Any]  # Configuration to validate
        ) -> Tuple[bool, Optional[str]]:  # (is_valid, error_message)
        "Validate a configuration dictionary against the schema.

Uses the plugin's schema from `get_config_schema()` to validate
the provided configuration.

Args:
    config: Configuration dictionary to validate
    
Returns:
    Tuple of (is_valid, error_message).
    If valid, error_message is None."
    
    def get_config_defaults(
            self
        ) -> Dict[str, Any]:  # Default values from schema
        "Extract default values from the configuration schema.

Returns a dictionary of default values for all properties
that have defaults defined in the schema.

Returns:
    Dictionary of default configuration values"
    
    def cleanup(
            self
        ) -> None
        "Optional cleanup when plugin is unloaded.

Override this method to perform any necessary cleanup,
such as releasing resources or closing connections."

Plugin Manager (manager.ipynb)

Plugin discovery, loading, and lifecycle management system

Import

from cjm_plugin_system.core.manager import (
    PluginManager,
    get_plugin_config_schema,
    get_plugin_config,
    update_plugin_config,
    validate_plugin_config,
    get_all_plugin_schemas,
    reload_plugin,
    execute_plugin_stream,
    check_streaming_support,
    get_streaming_plugins
)

Functions

def get_plugin_config_schema(
    self,
    plugin_name: str  # Name of the plugin
) -> Optional[Dict[str, Any]]:  # Configuration schema or None if plugin not found
    """
    Get the configuration schema for a plugin.
    
    Returns the JSON Schema that describes all configuration options
    available for the specified plugin.
    
    Args:
        plugin_name: Name of the plugin
        
    Returns:
        JSON Schema dictionary or None if plugin not found
    """
def get_plugin_config(
    self,
    plugin_name: str  # Name of the plugin
) -> Optional[Dict[str, Any]]:  # Current configuration or None if plugin not found
    """
    Get the current configuration of a plugin.
    
    Returns the actual configuration values being used by the plugin,
    including any defaults.
    
    Args:
        plugin_name: Name of the plugin
        
    Returns:
        Configuration dictionary or None if plugin not found
    """
def update_plugin_config(
    self,
    plugin_name: str,  # Name of the plugin
    config: Dict[str, Any],  # New configuration
    merge: bool = True  # Whether to merge with existing config or replace entirely
) -> bool:  # True if successful, False otherwise
    """
    Update a plugin's configuration and reinitialize it.
    
    Args:
        plugin_name: Name of the plugin to update
        config: New configuration dictionary
        merge: If True, merge with existing config. If False, replace entirely.
    
    Returns:
        True if configuration was successfully updated, False otherwise.
    """
def validate_plugin_config(
    self,
    plugin_name: str,  # Name of the plugin
    config: Dict[str, Any]  # Configuration to validate
) -> Tuple[bool, Optional[str]]:  # (is_valid, error_message)
    """
    Validate a configuration dictionary for a plugin without applying it.
    
    Args:
        plugin_name: Name of the plugin
        config: Configuration to validate
        
    Returns:
        Tuple of (is_valid, error_message). If valid, error_message is None.
    """
def get_all_plugin_schemas(
    self
) -> Dict[str, Dict[str, Any]]:  # Dictionary mapping plugin names to their schemas
    """
    Get configuration schemas for all loaded plugins.
    
    Returns a dictionary where keys are plugin names and values are
    their configuration schemas.
    
    Returns:
        Dictionary of plugin schemas
    """
def reload_plugin(
    self,
    plugin_name: str,  # Name of the plugin to reload
    config: Optional[Dict[str, Any]] = None  # Optional new configuration
) -> bool:  # True if successful, False otherwise
    """
    Reload a plugin with optional new configuration.
    
    This is useful when you want to completely restart a plugin,
    for example after updating its code during development.
    
    Args:
        plugin_name: Name of the plugin to reload
        config: Optional new configuration
        
    Returns:
        True if successful, False otherwise
    """
def execute_plugin_stream(
    self,
    plugin_name: str,  # Name of the plugin to execute
    *args,  # Arguments to pass to the plugin
    **kwargs  # Keyword arguments to pass to the plugin
) -> Generator[Any, None, Any]:  # Generator yielding partial results, returns final result
    """
    Execute a plugin with streaming support if available.
    
    This method will use the plugin's execute_stream method if the plugin
    supports streaming, otherwise it falls back to the regular execute method.
    
    Args:
        plugin_name: Name of the plugin to execute
        *args: Positional arguments for the plugin
        **kwargs: Keyword arguments for the plugin
        
    Yields:
        Partial results as they become available
        
    Returns:
        Final result from the plugin
        
    Example:
        >>> # Stream results in real-time
        >>> for chunk in manager.execute_plugin_stream("my_plugin", input_data):
        ...     print(chunk, end="", flush=True)
    """
def check_streaming_support(
    self,
    plugin_name: str  # Name of the plugin to check
) -> bool:  # True if plugin supports streaming
    """
    Check if a plugin supports streaming execution.
    
    Args:
        plugin_name: Name of the plugin to check
        
    Returns:
        True if the plugin implements execute_stream and supports streaming,
        False otherwise.
    """
def get_streaming_plugins(
    self
) -> List[str]:  # List of plugin names that support streaming
    """
    Get a list of all loaded plugins that support streaming.
    
    Returns:
        List of plugin names that have streaming capabilities.
    """

Classes

class PluginManager:
    def __init__(
        self, 
        plugin_interface: Type[PluginInterface] = PluginInterface,  # The base class/interface plugins must implement
        entry_point_group: str = "plugins"  # The entry point group name for plugin discovery
    )
    """
    Manages plugin discovery, loading, and lifecycle.
    
    This is a generic plugin manager that works with any PluginInterface
    subclass. It provides:
    - Automatic discovery via entry points
    - Manual loading from module files
    - Configuration management and validation
    - Plugin enable/disable/reload
    - Streaming support detection
    
    Example:
        >>> # For a transcription plugin system
        >>> manager = PluginManager(
        ...     plugin_interface=TranscriptionPlugin,
        ...     entry_point_group="transcription.plugins"
        ... )
        >>> manager.discover_plugins()
        >>> manager.load_plugin(plugin_meta, config={"model": "base"})
    """
    
    def __init__(
            self, 
            plugin_interface: Type[PluginInterface] = PluginInterface,  # The base class/interface plugins must implement
            entry_point_group: str = "plugins"  # The entry point group name for plugin discovery
        )
        "Initialize the plugin manager.

Args:
    plugin_interface: The plugin interface class that plugins must implement
    entry_point_group: Entry point group name for discovering installed plugins"
    
    def get_entry_points(self) -> importlib.metadata.EntryPoints:
            """Get plugin entry points from installed packages.
            
            Returns:
                Entry points for the configured group
            """
            self.entry_points = []        
            try
        "Get plugin entry points from installed packages.

Returns:
    Entry points for the configured group"
    
    def discover_plugins(self) -> List[PluginMeta]:  # List of discovered plugin metadata objects
            """Discover all installed plugins via entry points.
            
            This method looks for plugins installed as packages that declare
            entry points in the specified group.
            
            Returns:
                List of discovered plugin metadata
            """
            self.discovered = []
                    
            for ep in self.entry_points
        "Discover all installed plugins via entry points.

This method looks for plugins installed as packages that declare
entry points in the specified group.

Returns:
    List of discovered plugin metadata"
    
    def load_plugin(
            self,
            plugin_meta: PluginMeta,  # The plugin metadata
            config: Optional[Dict[str, Any]] = None  # Optional configuration for the plugin
        ) -> bool:  # True if successfully loaded, False otherwise
        "Load and initialize a plugin.

Args:
    plugin_meta: Metadata for the plugin to load
    config: Optional configuration dictionary
    
Returns:
    True if successfully loaded, False otherwise"
    
    def load_plugin_from_module(
            self,
            module_path: str,  # Path to the Python module
            config: Optional[Dict[str, Any]] = None  # Optional configuration for the plugin
        ) -> bool:  # True if successfully loaded, False otherwise
        "Load a plugin directly from a Python module file or package.

Useful for development or local plugins not installed via pip.

Args:
    module_path: Path to the Python module file or package directory
    config: Optional configuration dictionary
    
Returns:
    True if successfully loaded, False otherwise"
    
    def unload_plugin(
            self,
            plugin_name: str  # Name of the plugin to unload
        ) -> bool:  # True if successfully unloaded, False otherwise
        "Unload a plugin and call its cleanup method.

Args:
    plugin_name: Name of the plugin to unload
    
Returns:
    True if successfully unloaded, False otherwise"
    
    def get_plugin(
            self,
            plugin_name: str  # The name of the plugin to retrieve
        ) -> Optional[PluginInterface]:  # The plugin instance if found, None otherwise
        "Get a loaded plugin instance by name.

Args:
    plugin_name: Name of the plugin
    
Returns:
    Plugin instance if found, None otherwise"
    
    def list_plugins(self) -> List[PluginMeta]:  # List of metadata for all loaded plugins
            """List all loaded plugins.
            
            Returns:
                List of plugin metadata objects
            """
            return list(self.plugins.values())
        
        def execute_plugin(
            self,
            plugin_name: str,  # Name of the plugin to execute
            *args,  # Arguments to pass to the plugin
            **kwargs  # Keyword arguments to pass to the plugin
        ) -> Any:  # The result of the plugin execution
        "List all loaded plugins.

Returns:
    List of plugin metadata objects"
    
    def execute_plugin(
            self,
            plugin_name: str,  # Name of the plugin to execute
            *args,  # Arguments to pass to the plugin
            **kwargs  # Keyword arguments to pass to the plugin
        ) -> Any:  # The result of the plugin execution
        "Execute a plugin's main functionality.

Args:
    plugin_name: Name of the plugin to execute
    *args: Positional arguments for the plugin
    **kwargs: Keyword arguments for the plugin
    
Returns:
    Plugin execution result
    
Raises:
    ValueError: If plugin not found or disabled"
    
    def enable_plugin(
            self,
            plugin_name: str  # The name of the plugin to enable
        ) -> bool:  # True if plugin was enabled, False if not found
        "Enable a plugin.

Args:
    plugin_name: Name of the plugin to enable
    
Returns:
    True if enabled, False if not found"
    
    def disable_plugin(
            self,
            plugin_name: str  # The name of the plugin to disable
        ) -> bool:  # True if plugin was disabled, False if not found
        "Disable a plugin without unloading it.

Args:
    plugin_name: Name of the plugin to disable
    
Returns:
    True if disabled, False if not found"

Plugin Metadata (metadata.ipynb)

Data structures for plugin metadata

Import

from cjm_plugin_system.core.metadata import (
    PluginMeta
)

Classes

@dataclass
class PluginMeta:
    "Metadata about a plugin."
    
    name: str  # The plugin's unique identifier
    version: str  # The plugin's version string
    description: str = ''  # A brief description of the plugin's functionality
    author: str = ''  # The plugin author's name or organization
    package_name: str = ''  # The Python package name containing the plugin
    instance: Optional[Any]  # The plugin instance (PluginInterface subclass)
    enabled: bool = True  # Whether the plugin is enabled

Configuration Validation (validation.ipynb)

JSON Schema validation helpers for plugin configuration

Import

from cjm_plugin_system.utils.validation import (
    validate_config,
    extract_defaults
)

Functions

def validate_config(
    config: Dict[str, Any],  # Configuration to validate
    schema: Dict[str, Any]  # JSON Schema to validate against
) -> Tuple[bool, Optional[str]]:  # (is_valid, error_message)
    """
    Validate a configuration dictionary against a JSON Schema.
    
    Uses the `jsonschema` library for full validation if available,
    otherwise falls back to basic validation.
    
    Args:
        config: Configuration dictionary to validate
        schema: JSON Schema to validate against
        
    Returns:
        Tuple of (is_valid, error_message).
        If valid, error_message is None.
        
    Example:
        >>> schema = {
        ...     "type": "object",
        ...     "properties": {
        ...         "name": {"type": "string"},
        ...         "age": {"type": "integer", "minimum": 0}
        ...     },
        ...     "required": ["name"]
        ... }
        >>> is_valid, error = validate_config({"name": "John", "age": 30}, schema)
        >>> print(is_valid)
        True
    """
def _basic_validate(
    config: Dict[str, Any],
    schema: Dict[str, Any]
) -> Tuple[bool, Optional[str]]
    """
    Basic validation without jsonschema library.
    
    Provides minimal validation support when jsonschema is not installed.
    Checks:
    - Required fields
    - Field types
    - Enum values
    - Numeric constraints (minimum, maximum)
    """
def extract_defaults(
    schema: Dict[str, Any]  # JSON Schema
) -> Dict[str, Any]:  # Default values from schema
    """
    Extract default values from a JSON Schema.
    
    Returns a dictionary of default values for all properties
    that have defaults defined in the schema.
    
    Args:
        schema: JSON Schema dictionary
        
    Returns:
        Dictionary of default values
        
    Example:
        >>> schema = {
        ...     "type": "object",
        ...     "properties": {
        ...         "name": {"type": "string", "default": "John"},
        ...         "age": {"type": "integer", "default": 30}
        ...     }
        ... }
        >>> defaults = extract_defaults(schema)
        >>> print(defaults)
        {'name': 'John', 'age': 30}
    """

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

cjm_plugin_system-0.0.1.tar.gz (25.1 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

cjm_plugin_system-0.0.1-py3-none-any.whl (22.4 kB view details)

Uploaded Python 3

File details

Details for the file cjm_plugin_system-0.0.1.tar.gz.

File metadata

  • Download URL: cjm_plugin_system-0.0.1.tar.gz
  • Upload date:
  • Size: 25.1 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.11.14

File hashes

Hashes for cjm_plugin_system-0.0.1.tar.gz
Algorithm Hash digest
SHA256 48321520f06c3bc42be342110d21130c8b18540073dddfb66268ff8168e7c32a
MD5 381f7fbc8a176f52915b1a04aa543586
BLAKE2b-256 0cbd278bcfdc59c96dd4eb57f4d242162f5c56d9ef7f10b483eccd63d6661899

See more details on using hashes here.

File details

Details for the file cjm_plugin_system-0.0.1-py3-none-any.whl.

File metadata

File hashes

Hashes for cjm_plugin_system-0.0.1-py3-none-any.whl
Algorithm Hash digest
SHA256 0e89e5b3eb04ac0e603d31b8b153dd94e1fdf822041192e913078b1f2a55ec52
MD5 54a3f2db6f23009eaa6c92829a8b01c3
BLAKE2b-256 2e5233078ad16f406473a81f2e3feb8b799c8c87d708198f675ba4232239a037

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page