Large refactor for the `inspect` plugin.

More common logic has been extracted and all the methods and classes
have been documented and black'd.
This commit is contained in:
Fabio Manganiello 2023-05-17 00:05:22 +02:00
parent 2cba504e3b
commit 61ea3d79e4
Signed by: blacklight
GPG Key ID: D90FBA7F76362774
5 changed files with 444 additions and 139 deletions

View File

@ -1,24 +1,36 @@
from collections import defaultdict
import importlib import importlib
import inspect import inspect
import json import json
import threading import os
from typing import Optional import pathlib
import pickle
import pkgutil
from types import ModuleType
from typing import Callable, Dict, Generator, Optional, Type, Union
from platypush.backend import Backend from platypush.backend import Backend
from platypush.config import Config from platypush.config import Config
from platypush.plugins import Plugin, action from platypush.plugins import Plugin, action
from platypush.message.event import Event from platypush.message.event import Event
from platypush.message.response import Response from platypush.message.response import Response
from platypush.utils import get_plugin_class_by_name from platypush.utils import (
get_backend_class_by_name,
get_backend_name_by_class,
get_plugin_class_by_name,
get_plugin_name_by_class,
)
from platypush.utils.manifest import Manifest, scan_manifests from platypush.utils.manifest import Manifest, scan_manifests
from ._context import ComponentContext
from ._model import ( from ._model import (
BackendModel, BackendModel,
EventModel, EventModel,
Model,
PluginModel, PluginModel,
ProcedureEncoder,
ResponseModel, ResponseModel,
) )
from ._serialize import ProcedureEncoder
class InspectPlugin(Plugin): class InspectPlugin(Plugin):
@ -28,17 +40,79 @@ class InspectPlugin(Plugin):
def __init__(self, **kwargs): def __init__(self, **kwargs):
super().__init__(**kwargs) super().__init__(**kwargs)
self._plugins = {} self._components_cache_file = os.path.join(
self._backends = {} Config.get('workdir'), # type: ignore
self._events = {} 'components.cache', # type: ignore
self._responses = {} )
self._plugins_lock = threading.RLock() self._components_context: Dict[type, ComponentContext] = defaultdict(
self._backends_lock = threading.RLock() ComponentContext
self._events_lock = threading.RLock() )
self._responses_lock = threading.RLock() self._components_cache: Dict[type, dict] = defaultdict(dict)
self._load_components_cache()
def _get_modules(self, parent_class: type): def _load_components_cache(self):
for mf_file in scan_manifests(parent_class): """
Loads the components cache from disk.
"""
try:
with open(self._components_cache_file, 'rb') as f:
self._components_cache = pickle.load(f)
except OSError:
return
def _flush_components_cache(self):
"""
Flush the current components cache to disk.
"""
with open(self._components_cache_file, 'wb') as f:
pickle.dump(self._components_cache, f)
def _get_cached_component(
self, base_type: type, comp_type: type
) -> Optional[Model]:
"""
Retrieve a cached component's ``Model``.
:param base_type: The base type of the component (e.g. ``Plugin`` or
``Backend``).
:param comp_type: The specific type of the component (e.g.
``MusicMpdPlugin`` or ``HttpBackend``).
:return: The cached component's ``Model`` if it exists, otherwise null.
"""
return self._components_cache.get(base_type, {}).get(comp_type)
def _cache_component(
self,
base_type: type,
comp_type: type,
model: Model,
index_by_module: bool = False,
):
"""
Cache the ``Model`` object for a component.
:param base_type: The base type of the component (e.g. ``Plugin`` or
``Backend``).
:param comp_type: The specific type of the component (e.g.
``MusicMpdPlugin`` or ``HttpBackend``).
:param model: The ``Model`` object to cache.
:param index_by_module: If ``True``, the ``Model`` object will be
indexed according to the ``base_type -> module -> comp_type``
mapping, otherwise ``base_type -> comp_type``.
"""
if index_by_module:
if not self._components_cache.get(base_type, {}).get(model.package):
self._components_cache[base_type][model.package] = {}
self._components_cache[base_type][model.package][comp_type] = model
else:
self._components_cache[base_type][comp_type] = model
def _scan_integrations(self, base_type: type):
"""
A generator that scans the manifest files given a ``base_type``
(``Plugin`` or ``Backend``) and yields the parsed submodules.
"""
for mf_file in scan_manifests(base_type):
manifest = Manifest.from_file(mf_file) manifest = Manifest.from_file(mf_file)
try: try:
yield importlib.import_module(manifest.package) yield importlib.import_module(manifest.package)
@ -50,118 +124,242 @@ class InspectPlugin(Plugin):
) )
continue continue
def _scan_modules(self, base_type: type) -> Generator[ModuleType, None, None]:
"""
A generator that scan the modules given a ``base_type`` (e.g. ``Event``).
Unlike :meth:`._scan_integrations`, this method recursively scans the
modules using ``pkgutil`` instead of using the information provided in
the integrations' manifest files.
"""
prefix = base_type.__module__ + '.'
path = str(pathlib.Path(inspect.getfile(base_type)).parent)
for _, modname, _ in pkgutil.walk_packages(
path=[path], prefix=prefix, onerror=lambda _: None
):
try:
yield importlib.import_module(modname)
except Exception as e:
self.logger.debug('Could not import module %s: %s', modname, e)
continue
def _init_component(
self,
base_type: type,
comp_type: type,
model_type: Type[Model],
index_by_module: bool = False,
) -> Model:
"""
Initialize a component's ``Model`` object and cache it.
:param base_type: The base type of the component (e.g. ``Plugin`` or
``Backend``).
:param comp_type: The specific type of the component (e.g.
``MusicMpdPlugin`` or ``HttpBackend``).
:param model_type: The type of the ``Model`` object that should be
created.
:param index_by_module: If ``True``, the ``Model`` object will be
indexed according to the ``base_type -> module -> comp_type``
mapping, otherwise ``base_type -> comp_type``.
:return: The initialized component's ``Model`` object.
"""
prefix = base_type.__module__ + '.'
comp_file = inspect.getsourcefile(comp_type)
model = None
mtime = None
if comp_file:
mtime = os.stat(comp_file).st_mtime
cached_model = self._get_cached_component(base_type, comp_type)
# Only update the component model if its source file was
# modified since the last time it was scanned
if (
cached_model
and cached_model.last_modified
and mtime <= cached_model.last_modified
):
model = cached_model
if not model:
self.logger.info('Scanning component %s', comp_type.__name__)
model = model_type(comp_type, prefix=prefix, last_modified=mtime)
self._cache_component(
base_type, comp_type, model, index_by_module=index_by_module
)
return model
def _init_modules(
self,
base_type: type,
model_type: Type[Model],
):
"""
Initializes, parses and caches all the components of a given type.
Unlike :meth:`._scan_integrations`, this method inspects all the
members of a ``module`` for those that match the given ``base_type``
instead of relying on the information provided in the manifest.
It is a bit more inefficient, but it works fine for simple components
(like entities and messages) that don't require extra recursive parsing
logic for their docs (unlike plugins).
"""
for module in self._scan_modules(base_type):
for _, obj_type in inspect.getmembers(module):
if (
inspect.isclass(obj_type)
and issubclass(obj_type, base_type)
# Exclude the base_type itself
and obj_type != base_type
):
self._init_component(
base_type=base_type,
comp_type=obj_type,
model_type=model_type,
index_by_module=True,
)
def _init_integrations(
self,
base_type: Type[Union[Plugin, Backend]],
model_type: Type[Union[PluginModel, BackendModel]],
class_by_name: Callable[[str], Optional[type]],
):
"""
Initializes, parses and caches all the integrations of a given type.
:param base_type: The base type of the component (e.g. ``Plugin`` or
``Backend``).
:param model_type: The type of the ``Model`` objects that should be
created.
:param class_by_name: A function that returns the class of a given
integration given its qualified name.
"""
for module in self._scan_integrations(base_type):
comp_name = '.'.join(module.__name__.split('.')[2:])
comp_type = class_by_name(comp_name)
if not comp_type:
continue
self._init_component(
base_type=base_type,
comp_type=comp_type,
model_type=model_type,
)
self._flush_components_cache()
def _init_plugins(self): def _init_plugins(self):
prefix = Plugin.__module__ + '.' """
Initializes and caches all the available plugins.
for module in self._get_modules(Plugin): """
plugin_name = '.'.join(module.__name__.split('.')[2:]) self._init_integrations(
plugin_class = get_plugin_class_by_name(plugin_name) base_type=Plugin,
model = PluginModel(plugin=plugin_class, prefix=prefix) model_type=PluginModel,
class_by_name=get_plugin_class_by_name,
if model.name: )
self._plugins[model.name] = model
def _init_backends(self): def _init_backends(self):
prefix = Backend.__module__ + '.' """
Initializes and caches all the available backends.
for module in self._get_modules(Backend): """
for _, obj in inspect.getmembers(module): self._init_integrations(
if inspect.isclass(obj) and issubclass(obj, Backend): base_type=Backend,
model = BackendModel(backend=obj, prefix=prefix) model_type=BackendModel,
if model.name: class_by_name=get_backend_class_by_name,
self._backends[model.name] = model )
def _init_events(self): def _init_events(self):
prefix = Event.__module__ + '.' """
Initializes and caches all the available events.
for module in self._get_modules(Event): """
for _, obj in inspect.getmembers(module): self._init_modules(
if type(obj) == Event: # pylint: disable=unidiomatic-typecheck base_type=Event,
continue model_type=EventModel,
)
if inspect.isclass(obj) and issubclass(obj, Event) and obj != Event:
event = EventModel(event=obj, prefix=prefix)
if event.package not in self._events:
self._events[event.package] = {event.name: event}
else:
self._events[event.package][event.name] = event
def _init_responses(self): def _init_responses(self):
prefix = Response.__module__ + '.' """
Initializes and caches all the available responses.
"""
self._init_modules(
base_type=Response,
model_type=ResponseModel,
)
for module in self._get_modules(Response): def _init_components(self, base_type: type, initializer: Callable[[], None]):
for _, obj in inspect.getmembers(module): """
if type(obj) == Response: # pylint: disable=unidiomatic-typecheck Context manager boilerplate for the other ``_init_*`` methods.
continue """
ctx = self._components_context[base_type]
if ( with ctx.init_lock:
inspect.isclass(obj) if not ctx.refreshed.is_set():
and issubclass(obj, Response) initializer()
and obj != Response ctx.refreshed.set()
):
response = ResponseModel(response=obj, prefix=prefix)
if response.package not in self._responses:
self._responses[response.package] = {response.name: response}
else:
self._responses[response.package][response.name] = response
@action @action
def get_all_plugins(self): def get_all_plugins(self):
""" """
Get information about all the available plugins. Get information about all the available plugins.
""" """
with self._plugins_lock: self._init_components(Plugin, self._init_plugins)
if not self._plugins: return json.dumps(
self._init_plugins() {
get_plugin_name_by_class(cls): dict(plugin)
return json.dumps( for cls, plugin in self._components_cache.get(Plugin, {}).items()
{name: dict(plugin) for name, plugin in self._plugins.items()} }
) )
@action @action
def get_all_backends(self): def get_all_backends(self):
""" """
Get information about all the available backends. Get information about all the available backends.
""" """
with self._backends_lock: self._init_components(Backend, self._init_backends)
if not self._backends: return json.dumps(
self._init_backends() {
get_backend_name_by_class(cls): dict(backend)
return json.dumps( for cls, backend in self._components_cache.get(Backend, {}).items()
{name: dict(backend) for name, backend in self._backends.items()} }
) )
@action @action
def get_all_events(self): def get_all_events(self):
""" """
Get information about all the available events. Get information about all the available events.
""" """
with self._events_lock: self._init_components(Event, self._init_events)
if not self._events: return json.dumps(
self._init_events() {
package: {
return json.dumps( obj_type.__name__: dict(event_model)
{ for obj_type, event_model in events.items()
package: {name: dict(event) for name, event in events.items()}
for package, events in self._events.items()
} }
) for package, events in self._components_cache.get(Event, {}).items()
}
)
@action @action
def get_all_responses(self): def get_all_responses(self):
""" """
Get information about all the available responses. Get information about all the available responses.
""" """
with self._responses_lock: self._init_components(Response, self._init_responses)
if not self._responses: return json.dumps(
self._init_responses() {
package: {
return json.dumps( obj_type.__name__: dict(response_model)
{ for obj_type, response_model in responses.items()
package: {name: dict(event) for name, event in responses.items()}
for package, responses in self._responses.items()
} }
) for package, responses in self._components_cache.get(
Response, {}
).items()
}
)
@action @action
def get_procedures(self) -> dict: def get_procedures(self) -> dict:
@ -181,8 +379,7 @@ class InspectPlugin(Plugin):
if entry: if entry:
return Config.get(entry) return Config.get(entry)
cfg = Config.get() return Config.get()
return cfg
# vim:sw=4:ts=4:et: # vim:sw=4:ts=4:et:

View File

@ -0,0 +1,12 @@
from dataclasses import dataclass, field
import threading
@dataclass
class ComponentContext:
"""
This class is used to store the context of a component type.
"""
init_lock: threading.RLock = field(default_factory=threading.RLock)
refreshed: threading.Event = field(default_factory=threading.Event)

View File

@ -1,90 +1,131 @@
from abc import ABC, abstractmethod
import inspect import inspect
import json import json
import re import re
from typing import Optional, Type
from platypush.backend import Backend
from platypush.message.event import Event
from platypush.message.response import Response
from platypush.plugins import Plugin
from platypush.utils import get_decorators from platypush.utils import get_decorators
class Model(ABC): class Model:
"""
Base class for component models.
"""
def __init__(
self,
obj_type: type,
name: Optional[str] = None,
doc: Optional[str] = None,
prefix: str = '',
last_modified: Optional[float] = None,
) -> None:
"""
:param obj_type: Type of the component.
:param name: Name of the component.
:param doc: Documentation of the component.
:param last_modified: Last modified timestamp of the component.
"""
self._obj_type = obj_type
self.package = obj_type.__module__[len(prefix) :]
self.name = name or self.package
self.doc = doc or obj_type.__doc__
self.last_modified = last_modified
def __str__(self): def __str__(self):
"""
:return: JSON string representation of the model.
"""
return json.dumps(dict(self), indent=2, sort_keys=True) return json.dumps(dict(self), indent=2, sort_keys=True)
def __repr__(self): def __repr__(self):
"""
:return: JSON string representation of the model.
"""
return json.dumps(dict(self)) return json.dumps(dict(self))
@abstractmethod
def __iter__(self):
raise NotImplementedError()
class ProcedureEncoder(json.JSONEncoder):
def default(self, o):
if callable(o):
return {
'type': 'native_function',
}
return super().default(o)
class BackendModel(Model):
def __init__(self, backend, prefix=''):
self.name = backend.__module__[len(prefix) :]
self.doc = backend.__doc__
def __iter__(self): def __iter__(self):
"""
Iterator for the model public attributes/values pairs.
"""
for attr in ['name', 'doc']: for attr in ['name', 'doc']:
yield attr, getattr(self, attr) yield attr, getattr(self, attr)
# pylint: disable=too-few-public-methods
class BackendModel(Model):
"""
Model for backend components.
"""
def __init__(self, obj_type: Type[Backend], *args, **kwargs):
super().__init__(obj_type, *args, **kwargs)
# pylint: disable=too-few-public-methods
class PluginModel(Model): class PluginModel(Model):
def __init__(self, plugin, prefix=''): """
self.name = re.sub(r'\._plugin$', '', plugin.__module__[len(prefix) :]) Model for plugin components.
self.doc = plugin.__doc__ """
def __init__(self, obj_type: Type[Plugin], prefix: str = '', **kwargs):
super().__init__(
obj_type,
name=re.sub(r'\._plugin$', '', obj_type.__module__[len(prefix) :]),
**kwargs,
)
self.actions = { self.actions = {
action_name: ActionModel(getattr(plugin, action_name)) action_name: ActionModel(getattr(obj_type, action_name))
for action_name in get_decorators(plugin, climb_class_hierarchy=True).get( for action_name in get_decorators(obj_type, climb_class_hierarchy=True).get(
'action', [] 'action', []
) )
} }
def __iter__(self): def __iter__(self):
"""
Overrides the default implementation of ``__iter__`` to also include
plugin actions.
"""
for attr in ['name', 'actions', 'doc']: for attr in ['name', 'actions', 'doc']:
if attr == 'actions': if attr == 'actions':
yield attr, { yield attr, {
name: dict(action) for name, action in self.actions.items() name: dict(action) for name, action in self.actions.items()
}, }
else: else:
yield attr, getattr(self, attr) yield attr, getattr(self, attr)
class EventModel(Model): class EventModel(Model):
def __init__(self, event, prefix=''): """
self.package = event.__module__[len(prefix) :] Model for event components.
self.name = event.__name__ """
self.doc = event.__doc__
def __iter__(self): def __init__(self, obj_type: Type[Event], **kwargs):
for attr in ['name', 'doc']: super().__init__(obj_type, **kwargs)
yield attr, getattr(self, attr)
class ResponseModel(Model): class ResponseModel(Model):
def __init__(self, response, prefix=''): """
self.package = response.__module__[len(prefix) :] Model for response components.
self.name = response.__name__ """
self.doc = response.__doc__
def __iter__(self): def __init__(self, obj_type: Type[Response], **kwargs):
for attr in ['name', 'doc']: super().__init__(obj_type, **kwargs)
yield attr, getattr(self, attr)
class ActionModel(Model): class ActionModel(Model):
def __init__(self, action): """
self.name = action.__name__ Model for plugin action components.
self.doc, argsdoc = self._parse_docstring(action.__doc__) """
def __init__(self, action, **kwargs):
doc, argsdoc = self._parse_docstring(action.__doc__)
super().__init__(action, name=action.__name__, doc=doc, **kwargs)
self.args = {} self.args = {}
self.has_kwargs = False self.has_kwargs = False

View File

@ -0,0 +1,16 @@
import json
class ProcedureEncoder(json.JSONEncoder):
"""
Encoder for the Procedure model.
"""
def default(self, o):
if callable(o):
return {
'type': 'native_function',
'source': f'{o.__module__}.{o.__name__}',
}
return super().default(o)

View File

@ -73,6 +73,17 @@ def get_plugin_module_by_name(plugin_name):
return None return None
def get_backend_module_by_name(backend_name):
"""Gets the module of a backend by name (e.g. "backend.http" or "backend.mqtt")"""
module_name = 'platypush.backend.' + backend_name
try:
return importlib.import_module('platypush.backend.' + backend_name)
except ImportError as e:
logger.error('Cannot import %s: %s', module_name, e)
return None
def get_plugin_class_by_name(plugin_name): def get_plugin_class_by_name(plugin_name):
"""Gets the class of a plugin by name (e.g. "music.mpd" or "media.vlc")""" """Gets the class of a plugin by name (e.g. "music.mpd" or "media.vlc")"""
@ -110,6 +121,34 @@ def get_plugin_name_by_class(plugin) -> Optional[str]:
return '.'.join(class_tokens) return '.'.join(class_tokens)
def get_backend_class_by_name(backend_name: str):
"""Gets the class of a backend by name (e.g. "backend.http" or "backend.mqtt")"""
module = get_backend_module_by_name(backend_name)
if not module:
return
class_name = getattr(
module,
''.join(
[
token.capitalize()
for i, token in enumerate(backend_name.split('.'))
if not (i == 0 and token == 'backend')
]
)
+ 'Backend',
)
try:
return getattr(
module,
''.join([_.capitalize() for _ in backend_name.split('.')]) + 'Backend',
)
except Exception as e:
logger.error('Cannot import class %s: %s', class_name, e)
return None
def get_backend_name_by_class(backend) -> Optional[str]: def get_backend_name_by_class(backend) -> Optional[str]:
"""Gets the common name of a backend (e.g. "http" or "mqtt") given its class.""" """Gets the common name of a backend (e.g. "http" or "mqtt") given its class."""