2020-01-14 14:42:20 +00:00
|
|
|
from collections import namedtuple
|
2019-07-10 08:20:43 +00:00
|
|
|
from copy import deepcopy
|
2020-01-14 14:42:20 +00:00
|
|
|
from glob import glob
|
2020-01-14 12:32:45 +00:00
|
|
|
import importlib
|
2020-01-14 14:42:20 +00:00
|
|
|
import os
|
2021-02-25 08:09:14 +00:00
|
|
|
from typing import cast, Any, Dict, Iterator, List, Optional, Tuple, Type, Union
|
2019-05-29 09:14:06 +00:00
|
|
|
|
2020-01-14 14:42:20 +00:00
|
|
|
import appdirs
|
2021-02-25 08:09:14 +00:00
|
|
|
import pkg_resources
|
2020-01-14 14:42:20 +00:00
|
|
|
|
2019-05-29 09:14:06 +00:00
|
|
|
from . import exceptions
|
2020-09-18 10:39:22 +00:00
|
|
|
from . import fmt
|
2020-01-14 14:42:20 +00:00
|
|
|
from . import serialize
|
2019-05-29 09:14:06 +00:00
|
|
|
|
|
|
|
|
|
|
|
CONFIG_KEY = "PLUGINS"
|
|
|
|
|
|
|
|
|
2020-01-14 12:32:45 +00:00
|
|
|
class BasePlugin:
|
2019-05-29 09:14:06 +00:00
|
|
|
"""
|
2020-01-14 12:32:45 +00:00
|
|
|
Tutor plugins are defined by a name and an object that implements one or more of the
|
2019-06-06 19:58:21 +00:00
|
|
|
following properties:
|
|
|
|
|
2020-01-14 12:32:45 +00:00
|
|
|
`config` (dict str->dict(str->str)): contains "add", "set", "default" keys. Entries
|
|
|
|
in these dicts will be added or override the global configuration. Keys in "add" and
|
|
|
|
"set" will be prefixed by the plugin name in uppercase.
|
|
|
|
|
2019-06-06 19:58:21 +00:00
|
|
|
`patches` (dict str->str): entries in this dict will be used to patch the rendered
|
|
|
|
Tutor templates. For instance, to add "somecontent" to a template that includes '{{
|
|
|
|
patch("mypatch") }}', set: `patches["mypatch"] = "somecontent"`. It is recommended
|
|
|
|
to store all patches in separate files, and to dynamically list patches by listing
|
|
|
|
the contents of a "patches" subdirectory.
|
|
|
|
|
|
|
|
`templates` (str): path to a directory that includes new template files for the
|
|
|
|
plugin. It is recommended that all files in the template directory are stored in a
|
|
|
|
`myplugin` folder to avoid conflicts with other plugins. Plugin templates are useful
|
|
|
|
for content re-use, e.g: "{% include 'myplugin/mytemplate.html'}".
|
|
|
|
|
|
|
|
`hooks` (dict str->list[str]): hooks are commands that will be run at various points
|
|
|
|
during the lifetime of the platform. For instance, to run `service1` and `service2`
|
|
|
|
in sequence during initialization, you should define:
|
|
|
|
|
|
|
|
hooks["init"] = ["service1", "service2"]
|
|
|
|
|
|
|
|
It is then assumed that there are `myplugin/hooks/service1/init` and
|
|
|
|
`myplugin/hooks/service2/init` templates in the plugin `templates` directory.
|
2020-01-14 12:32:45 +00:00
|
|
|
|
|
|
|
`command` (click.Command): if a plugin exposes a `command` attribute, users will be able to run it from the command line as `tutor pluginname`.
|
|
|
|
"""
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
INSTALLED: List["BasePlugin"] = []
|
2020-10-15 14:28:55 +00:00
|
|
|
_IS_LOADED = False
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def __init__(self, name: str, obj: Any) -> None:
|
2020-01-14 12:32:45 +00:00
|
|
|
self.name = name
|
2021-02-25 08:09:14 +00:00
|
|
|
self.config = cast(
|
|
|
|
Dict[str, Dict[str, Any]], get_callable_attr(obj, "config", {})
|
|
|
|
)
|
|
|
|
self.patches = cast(
|
|
|
|
Dict[str, str], get_callable_attr(obj, "patches", default={})
|
|
|
|
)
|
|
|
|
self.hooks = cast(
|
|
|
|
Dict[str, Union[Dict[str, str], List[str]]],
|
|
|
|
get_callable_attr(obj, "hooks", default={}),
|
|
|
|
)
|
|
|
|
self.templates_root = cast(
|
|
|
|
Optional[str], get_callable_attr(obj, "templates", default=None)
|
|
|
|
)
|
2020-01-14 12:32:45 +00:00
|
|
|
self.command = getattr(obj, "command", None)
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def config_key(self, key: str) -> str:
|
2020-01-14 12:32:45 +00:00
|
|
|
"""
|
|
|
|
Config keys in the "add" and "defaults" dicts should be prefixed by the plugin name, in uppercase.
|
|
|
|
"""
|
|
|
|
return self.name.upper() + "_" + key
|
|
|
|
|
|
|
|
@property
|
2021-02-25 08:09:14 +00:00
|
|
|
def config_add(self) -> Dict[str, Any]:
|
2020-01-14 12:32:45 +00:00
|
|
|
return self.config.get("add", {})
|
|
|
|
|
|
|
|
@property
|
2021-02-25 08:09:14 +00:00
|
|
|
def config_set(self) -> Dict[str, Any]:
|
2020-01-14 12:32:45 +00:00
|
|
|
return self.config.get("set", {})
|
|
|
|
|
|
|
|
@property
|
2021-02-25 08:09:14 +00:00
|
|
|
def config_defaults(self) -> Dict[str, Any]:
|
2020-01-14 12:32:45 +00:00
|
|
|
return self.config.get("defaults", {})
|
|
|
|
|
|
|
|
@property
|
2021-02-25 08:09:14 +00:00
|
|
|
def version(self) -> str:
|
2020-01-14 12:32:45 +00:00
|
|
|
raise NotImplementedError
|
|
|
|
|
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_installed(cls) -> Iterator["BasePlugin"]:
|
2020-10-15 14:28:55 +00:00
|
|
|
if not cls._IS_LOADED:
|
|
|
|
for plugin in cls.iter_load():
|
|
|
|
cls.INSTALLED.append(plugin)
|
|
|
|
cls._IS_LOADED = True
|
|
|
|
yield from cls.INSTALLED
|
|
|
|
|
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_load(cls) -> Iterator["BasePlugin"]:
|
2020-01-14 12:32:45 +00:00
|
|
|
raise NotImplementedError
|
|
|
|
|
|
|
|
|
|
|
|
class EntrypointPlugin(BasePlugin):
|
|
|
|
"""
|
|
|
|
Entrypoint plugins are regular python packages that have a 'tutor.plugin.v0' entrypoint.
|
|
|
|
|
|
|
|
The API for Tutor plugins is currently in development. The entrypoint will switch to
|
|
|
|
'tutor.plugin.v1' once it is stabilised.
|
2019-05-29 09:14:06 +00:00
|
|
|
"""
|
|
|
|
|
2019-06-06 19:58:21 +00:00
|
|
|
ENTRYPOINT = "tutor.plugin.v0"
|
2020-01-14 12:32:45 +00:00
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def __init__(self, entrypoint: pkg_resources.EntryPoint) -> None:
|
2020-01-14 12:32:45 +00:00
|
|
|
super().__init__(entrypoint.name, entrypoint.load())
|
|
|
|
self.entrypoint = entrypoint
|
|
|
|
|
|
|
|
@property
|
2021-02-25 08:09:14 +00:00
|
|
|
def version(self) -> str:
|
|
|
|
if not self.entrypoint.dist:
|
|
|
|
return "0.0.0"
|
2020-01-14 12:32:45 +00:00
|
|
|
return self.entrypoint.dist.version
|
|
|
|
|
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_load(cls) -> Iterator["EntrypointPlugin"]:
|
2020-01-14 12:32:45 +00:00
|
|
|
for entrypoint in pkg_resources.iter_entry_points(cls.ENTRYPOINT):
|
|
|
|
yield cls(entrypoint)
|
|
|
|
|
|
|
|
|
|
|
|
class OfficialPlugin(BasePlugin):
|
|
|
|
"""
|
2020-10-15 14:28:55 +00:00
|
|
|
Official plugins have a "plugin" module which exposes a __version__ attribute.
|
|
|
|
Official plugins should be manually added by calling `OfficialPlugin.load()`.
|
2020-01-14 12:32:45 +00:00
|
|
|
"""
|
|
|
|
|
2020-10-15 14:28:55 +00:00
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def load(cls, name: str) -> BasePlugin:
|
2020-10-15 14:28:55 +00:00
|
|
|
plugin = cls(name)
|
|
|
|
cls.INSTALLED.append(plugin)
|
|
|
|
return plugin
|
2020-01-14 12:32:45 +00:00
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def __init__(self, name: str):
|
2020-01-14 12:32:45 +00:00
|
|
|
self.module = importlib.import_module("tutor{}.plugin".format(name))
|
|
|
|
super().__init__(name, self.module)
|
|
|
|
|
|
|
|
@property
|
2021-02-25 08:09:14 +00:00
|
|
|
def version(self) -> str:
|
|
|
|
version = getattr(self.module, "__version__")
|
|
|
|
if not isinstance(version, str):
|
|
|
|
raise TypeError("OfficialPlugin __version__ must be 'str'")
|
|
|
|
return version
|
2020-01-14 12:32:45 +00:00
|
|
|
|
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_load(cls) -> Iterator[BasePlugin]:
|
2020-10-15 14:28:55 +00:00
|
|
|
yield from []
|
2020-01-14 12:32:45 +00:00
|
|
|
|
|
|
|
|
2020-01-14 14:42:20 +00:00
|
|
|
class DictPlugin(BasePlugin):
|
|
|
|
ROOT_ENV_VAR_NAME = "TUTOR_PLUGINS_ROOT"
|
|
|
|
ROOT = os.path.expanduser(
|
|
|
|
os.environ.get(ROOT_ENV_VAR_NAME, "")
|
|
|
|
) or appdirs.user_data_dir(appname="tutor-plugins")
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def __init__(self, data: Dict[str, Any]):
|
|
|
|
Module = namedtuple("Module", data.keys()) # type: ignore
|
|
|
|
obj = Module(**data) # type: ignore
|
2020-01-14 14:42:20 +00:00
|
|
|
super().__init__(data["name"], obj)
|
|
|
|
self._version = data["version"]
|
|
|
|
|
|
|
|
@property
|
2021-02-25 08:09:14 +00:00
|
|
|
def version(self) -> str:
|
|
|
|
if not isinstance(self._version, str):
|
|
|
|
raise TypeError("DictPlugin.__version__ must be str")
|
2020-01-14 14:42:20 +00:00
|
|
|
return self._version
|
|
|
|
|
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_load(cls) -> Iterator[BasePlugin]:
|
2020-01-14 14:42:20 +00:00
|
|
|
for path in glob(os.path.join(cls.ROOT, "*.yml")):
|
|
|
|
with open(path) as f:
|
|
|
|
data = serialize.load(f)
|
|
|
|
if not isinstance(data, dict):
|
|
|
|
raise exceptions.TutorError(
|
|
|
|
"Invalid plugin: {}. Expected dict.".format(path)
|
|
|
|
)
|
|
|
|
try:
|
|
|
|
yield cls(data)
|
|
|
|
except KeyError as e:
|
|
|
|
raise exceptions.TutorError(
|
|
|
|
"Invalid plugin: {}. Missing key: {}".format(path, e.args[0])
|
|
|
|
)
|
|
|
|
|
|
|
|
|
2020-01-14 12:32:45 +00:00
|
|
|
class Plugins:
|
2021-02-25 08:09:14 +00:00
|
|
|
PLUGIN_CLASSES: List[Type[BasePlugin]] = [
|
|
|
|
OfficialPlugin,
|
|
|
|
EntrypointPlugin,
|
|
|
|
DictPlugin,
|
|
|
|
]
|
2019-06-06 19:58:21 +00:00
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def __init__(self, config: Dict[str, Any]):
|
2019-07-10 08:20:43 +00:00
|
|
|
self.config = deepcopy(config)
|
2021-02-25 08:09:14 +00:00
|
|
|
self.patches: Dict[str, Dict[str, str]] = {}
|
|
|
|
self.hooks: Dict[str, Dict[str, Union[Dict[str, str], List[str]]]] = {}
|
|
|
|
self.template_roots: Dict[str, str] = {}
|
2019-06-06 19:58:21 +00:00
|
|
|
|
2020-01-14 12:32:45 +00:00
|
|
|
for plugin in self.iter_enabled():
|
|
|
|
for patch_name, content in plugin.patches.items():
|
2019-06-06 19:58:21 +00:00
|
|
|
if patch_name not in self.patches:
|
|
|
|
self.patches[patch_name] = {}
|
2020-01-14 12:32:45 +00:00
|
|
|
self.patches[patch_name][plugin.name] = content
|
2019-06-06 19:58:21 +00:00
|
|
|
|
2020-01-14 12:32:45 +00:00
|
|
|
for hook_name, services in plugin.hooks.items():
|
2019-06-06 19:58:21 +00:00
|
|
|
if hook_name not in self.hooks:
|
|
|
|
self.hooks[hook_name] = {}
|
2020-01-14 12:32:45 +00:00
|
|
|
self.hooks[hook_name][plugin.name] = services
|
2019-06-06 19:58:21 +00:00
|
|
|
|
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def clear(cls) -> None:
|
2020-10-15 14:28:55 +00:00
|
|
|
for PluginClass in cls.PLUGIN_CLASSES:
|
|
|
|
PluginClass.INSTALLED.clear()
|
2019-05-29 09:14:06 +00:00
|
|
|
|
2019-06-06 19:58:21 +00:00
|
|
|
@classmethod
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_installed(cls) -> Iterator[BasePlugin]:
|
2020-01-14 12:32:45 +00:00
|
|
|
"""
|
2020-10-15 14:28:55 +00:00
|
|
|
Iterate on all installed plugins. Plugins are deduplicated by name. The list of installed plugins is cached to
|
|
|
|
prevent too many re-computations, which happens a lot.
|
2020-01-14 12:32:45 +00:00
|
|
|
"""
|
|
|
|
installed_plugin_names = set()
|
2020-10-15 14:28:55 +00:00
|
|
|
for PluginClass in cls.PLUGIN_CLASSES:
|
2020-01-14 12:32:45 +00:00
|
|
|
for plugin in PluginClass.iter_installed():
|
|
|
|
if plugin.name not in installed_plugin_names:
|
|
|
|
installed_plugin_names.add(plugin.name)
|
|
|
|
yield plugin
|
2019-06-06 19:58:21 +00:00
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_enabled(self) -> Iterator[BasePlugin]:
|
2020-01-14 12:32:45 +00:00
|
|
|
for plugin in self.iter_installed():
|
|
|
|
if is_enabled(self.config, plugin.name):
|
|
|
|
yield plugin
|
2019-06-06 19:58:21 +00:00
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_patches(self, name: str) -> Iterator[Tuple[str, str]]:
|
2019-06-06 19:58:21 +00:00
|
|
|
plugin_patches = self.patches.get(name, {})
|
2019-05-29 09:14:06 +00:00
|
|
|
plugins = sorted(plugin_patches.keys())
|
|
|
|
for plugin in plugins:
|
|
|
|
yield plugin, plugin_patches[plugin]
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_hooks(
|
|
|
|
self, hook_name: str
|
|
|
|
) -> Iterator[Tuple[str, Union[Dict[str, str], List[str]]]]:
|
2019-07-02 20:16:44 +00:00
|
|
|
yield from self.hooks.get(hook_name, {}).items()
|
2019-06-06 19:58:21 +00:00
|
|
|
|
2019-05-29 09:14:06 +00:00
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def get_callable_attr(
|
|
|
|
plugin: Any, attr_name: str, default: Optional[Any] = None
|
|
|
|
) -> Optional[Any]:
|
2019-06-05 18:07:41 +00:00
|
|
|
attr = getattr(plugin, attr_name, default)
|
2019-05-29 09:14:06 +00:00
|
|
|
if callable(attr):
|
|
|
|
attr = attr()
|
|
|
|
return attr
|
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def is_installed(name: str) -> bool:
|
2020-09-18 10:39:22 +00:00
|
|
|
for plugin in iter_installed():
|
|
|
|
if name == plugin.name:
|
|
|
|
return True
|
|
|
|
return False
|
2019-05-29 09:14:06 +00:00
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_installed() -> Iterator[BasePlugin]:
|
2019-06-06 19:58:21 +00:00
|
|
|
yield from Plugins.iter_installed()
|
2019-05-29 09:14:06 +00:00
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def enable(config: Dict[str, Any], name: str) -> None:
|
2019-05-29 09:14:06 +00:00
|
|
|
if not is_installed(name):
|
|
|
|
raise exceptions.TutorError("plugin '{}' is not installed.".format(name))
|
|
|
|
if is_enabled(config, name):
|
|
|
|
return
|
|
|
|
if CONFIG_KEY not in config:
|
|
|
|
config[CONFIG_KEY] = []
|
|
|
|
config[CONFIG_KEY].append(name)
|
|
|
|
config[CONFIG_KEY].sort()
|
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def disable(config: Dict[str, Any], name: str) -> None:
|
2020-09-18 10:39:22 +00:00
|
|
|
fmt.echo_info("Disabling plugin {}...".format(name))
|
2020-10-15 14:28:55 +00:00
|
|
|
for plugin in Plugins(config).iter_enabled():
|
2020-09-18 10:39:22 +00:00
|
|
|
if name == plugin.name:
|
|
|
|
# Remove "set" config entries
|
|
|
|
for key, value in plugin.config_set.items():
|
|
|
|
config.pop(key, None)
|
|
|
|
fmt.echo_info(" Removed config entry {}={}".format(key, value))
|
|
|
|
# Remove plugin from list
|
2019-06-05 13:43:51 +00:00
|
|
|
while name in config[CONFIG_KEY]:
|
|
|
|
config[CONFIG_KEY].remove(name)
|
2020-09-18 10:39:22 +00:00
|
|
|
fmt.echo_info(" Plugin disabled")
|
2019-06-05 13:43:51 +00:00
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_enabled(config: Dict[str, Any]) -> Iterator[BasePlugin]:
|
2020-10-15 14:28:55 +00:00
|
|
|
yield from Plugins(config).iter_enabled()
|
2019-05-29 09:14:06 +00:00
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def is_enabled(config: Dict[str, Any], name: str) -> bool:
|
2019-05-29 09:14:06 +00:00
|
|
|
return name in config.get(CONFIG_KEY, [])
|
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_patches(config: Dict[str, str], name: str) -> Iterator[Tuple[str, str]]:
|
2020-10-15 14:28:55 +00:00
|
|
|
yield from Plugins(config).iter_patches(name)
|
2019-05-29 09:14:06 +00:00
|
|
|
|
|
|
|
|
2021-02-25 08:09:14 +00:00
|
|
|
def iter_hooks(
|
|
|
|
config: Dict[str, Any], hook_name: str
|
|
|
|
) -> Iterator[Tuple[str, Union[Dict[str, str], List[str]]]]:
|
2020-10-15 14:28:55 +00:00
|
|
|
yield from Plugins(config).iter_hooks(hook_name)
|