feat(plugins): Identify plugins by id, migrations must be provided at defined location, add utils for plugin functions
This commit is contained in:
parent
c4bf33d1c7
commit
878a61f1c2
|
@ -1,11 +1,9 @@
|
||||||
"""Flaschengeist"""
|
"""Flaschengeist"""
|
||||||
import logging
|
import logging
|
||||||
import pkg_resources
|
import pkg_resources
|
||||||
from pathlib import Path
|
|
||||||
from werkzeug.local import LocalProxy
|
from werkzeug.local import LocalProxy
|
||||||
|
|
||||||
__version__ = pkg_resources.get_distribution("flaschengeist").version
|
__version__ = pkg_resources.get_distribution("flaschengeist").version
|
||||||
_module_path = Path(__file__).parent
|
|
||||||
__pdoc__ = {}
|
__pdoc__ = {}
|
||||||
|
|
||||||
logger: logging.Logger = LocalProxy(lambda: logging.getLogger(__name__))
|
logger: logging.Logger = LocalProxy(lambda: logging.getLogger(__name__))
|
||||||
|
|
|
@ -1,18 +1,18 @@
|
||||||
import enum
|
import enum
|
||||||
|
|
||||||
import pkg_resources
|
from flask import Flask
|
||||||
from flask import Flask, current_app
|
|
||||||
from flask_cors import CORS
|
from flask_cors import CORS
|
||||||
from datetime import datetime, date
|
from datetime import datetime, date
|
||||||
from flask.json import JSONEncoder, jsonify
|
from flask.json import JSONEncoder, jsonify
|
||||||
from sqlalchemy.exc import OperationalError
|
from sqlalchemy.exc import OperationalError
|
||||||
from werkzeug.exceptions import HTTPException
|
from werkzeug.exceptions import HTTPException
|
||||||
|
|
||||||
|
from flaschengeist.utils.plugin import get_plugins
|
||||||
|
|
||||||
from . import logger
|
from . import logger
|
||||||
from .plugins import AuthPlugin
|
from .plugins import Plugin
|
||||||
from flaschengeist.config import config, configure_app
|
from .config import config, configure_app
|
||||||
from flaschengeist.controller import roleController
|
from .utils.hook import Hook
|
||||||
from flaschengeist.utils.hook import Hook
|
|
||||||
|
|
||||||
|
|
||||||
class CustomJSONEncoder(JSONEncoder):
|
class CustomJSONEncoder(JSONEncoder):
|
||||||
|
@ -37,64 +37,35 @@ class CustomJSONEncoder(JSONEncoder):
|
||||||
|
|
||||||
|
|
||||||
@Hook("plugins.loaded")
|
@Hook("plugins.loaded")
|
||||||
def __load_plugins(app):
|
def load_plugins(app: Flask):
|
||||||
logger.debug("Search for plugins")
|
def load_plugin(cls: type[Plugin]):
|
||||||
|
logger.debug(f"Load plugin {cls.id}")
|
||||||
app.config["FG_PLUGINS"] = {}
|
# Initialize plugin with config section
|
||||||
for entry_point in pkg_resources.iter_entry_points("flaschengeist.plugins"):
|
plugin = cls(config.get(plugin_class.id, config.get(plugin_class.id.split(".")[-1], {})))
|
||||||
logger.debug(f"Found plugin: >{entry_point.name}<")
|
# Register blueprint if provided
|
||||||
|
if plugin.blueprint is not None:
|
||||||
if entry_point.name == config["FLASCHENGEIST"]["auth"] or (
|
|
||||||
entry_point.name in config and config[entry_point.name].get("enabled", False)
|
|
||||||
):
|
|
||||||
logger.debug(f"Load plugin {entry_point.name}")
|
|
||||||
try:
|
|
||||||
plugin = entry_point.load()
|
|
||||||
if not hasattr(plugin, "name"):
|
|
||||||
setattr(plugin, "name", entry_point.name)
|
|
||||||
plugin = plugin(config.get(entry_point.name, {}))
|
|
||||||
if hasattr(plugin, "blueprint") and plugin.blueprint is not None:
|
|
||||||
app.register_blueprint(plugin.blueprint)
|
app.register_blueprint(plugin.blueprint)
|
||||||
except:
|
# Save plugin application context
|
||||||
logger.error(
|
app.config.setdefault("FG_PLUGINS", {})[plugin.id] = plugin
|
||||||
f"Plugin {entry_point.name} was enabled, but could not be loaded due to an error.",
|
return plugin
|
||||||
exc_info=True,
|
|
||||||
)
|
for plugin_class in get_plugins():
|
||||||
continue
|
names = [plugin_class.id, plugin_class.id.split(".")[-1]]
|
||||||
if isinstance(plugin, AuthPlugin):
|
if config["FLASCHENGEIST"]["auth"] in names:
|
||||||
if entry_point.name != config["FLASCHENGEIST"]["auth"]:
|
# Load authentification plugin
|
||||||
logger.debug(f"Unload not configured AuthPlugin {entry_point.name}")
|
app.config["FG_AUTH_BACKEND"] = load_plugin(plugin_class)
|
||||||
del plugin
|
logger.info(f"Using authentication plugin: {plugin_class.id}")
|
||||||
continue
|
elif any([i in config and config[i].get("enabled", False) for i in names]):
|
||||||
|
# Load all other enabled plugins
|
||||||
|
load_plugin(plugin_class)
|
||||||
|
logger.info(f"Using plugin: {plugin_class.id}")
|
||||||
else:
|
else:
|
||||||
logger.info(f"Using authentication plugin: {entry_point.name}")
|
logger.debug(f"Skip disabled plugin {plugin_class.id}")
|
||||||
app.config["FG_AUTH_BACKEND"] = plugin
|
|
||||||
else:
|
|
||||||
logger.info(f"Using plugin: {entry_point.name}")
|
|
||||||
app.config["FG_PLUGINS"][entry_point.name] = plugin
|
|
||||||
else:
|
|
||||||
logger.debug(f"Skip disabled plugin {entry_point.name}")
|
|
||||||
if "FG_AUTH_BACKEND" not in app.config:
|
if "FG_AUTH_BACKEND" not in app.config:
|
||||||
logger.error("No authentication plugin configured or authentication plugin not found")
|
logger.fatal("No authentication plugin configured or authentication plugin not found")
|
||||||
raise RuntimeError("No authentication plugin configured or authentication plugin not found")
|
raise RuntimeError("No authentication plugin configured or authentication plugin not found")
|
||||||
|
|
||||||
|
|
||||||
@Hook("plugins.installed")
|
|
||||||
def install_all():
|
|
||||||
from flaschengeist.database import db
|
|
||||||
|
|
||||||
db.create_all()
|
|
||||||
db.session.commit()
|
|
||||||
for name, plugin in current_app.config["FG_PLUGINS"].items():
|
|
||||||
if not plugin:
|
|
||||||
logger.debug(f"Skip disabled plugin: {name}")
|
|
||||||
continue
|
|
||||||
logger.info(f"Install plugin {name}")
|
|
||||||
plugin.install()
|
|
||||||
if plugin.permissions:
|
|
||||||
roleController.create_permissions(plugin.permissions)
|
|
||||||
|
|
||||||
|
|
||||||
def create_app(test_config=None, cli=False):
|
def create_app(test_config=None, cli=False):
|
||||||
app = Flask(__name__)
|
app = Flask(__name__)
|
||||||
app.json_encoder = CustomJSONEncoder
|
app.json_encoder = CustomJSONEncoder
|
||||||
|
@ -106,7 +77,7 @@ def create_app(test_config=None, cli=False):
|
||||||
configure_app(app, test_config, cli)
|
configure_app(app, test_config, cli)
|
||||||
db.init_app(app)
|
db.init_app(app)
|
||||||
migrate.init_app(app, db, compare_type=True)
|
migrate.init_app(app, db, compare_type=True)
|
||||||
__load_plugins(app)
|
load_plugins(app)
|
||||||
|
|
||||||
@app.route("/", methods=["GET"])
|
@app.route("/", methods=["GET"])
|
||||||
def __get_state():
|
def __get_state():
|
||||||
|
|
|
@ -5,7 +5,7 @@ import collections.abc
|
||||||
|
|
||||||
from pathlib import Path
|
from pathlib import Path
|
||||||
from werkzeug.middleware.proxy_fix import ProxyFix
|
from werkzeug.middleware.proxy_fix import ProxyFix
|
||||||
from flaschengeist import _module_path, logger
|
from flaschengeist import logger
|
||||||
|
|
||||||
|
|
||||||
# Default config:
|
# Default config:
|
||||||
|
@ -23,7 +23,7 @@ def update_dict(d, u):
|
||||||
|
|
||||||
def read_configuration(test_config):
|
def read_configuration(test_config):
|
||||||
global config
|
global config
|
||||||
paths = [_module_path]
|
paths = [Path(__file__).parent]
|
||||||
|
|
||||||
if not test_config:
|
if not test_config:
|
||||||
paths.append(Path.home() / ".config")
|
paths.append(Path.home() / ".config")
|
||||||
|
@ -44,7 +44,7 @@ def read_configuration(test_config):
|
||||||
def configure_logger(cli=False):
|
def configure_logger(cli=False):
|
||||||
global config
|
global config
|
||||||
# Read default config
|
# Read default config
|
||||||
logger_config = toml.load(_module_path / "logging.toml")
|
logger_config = toml.load(Path(__file__).parent / "logging.toml")
|
||||||
|
|
||||||
if "LOGGING" in config:
|
if "LOGGING" in config:
|
||||||
# Override with user config
|
# Override with user config
|
||||||
|
|
|
@ -24,9 +24,16 @@ migrate = Migrate()
|
||||||
def configure_alembic(config):
|
def configure_alembic(config):
|
||||||
"""Alembic configuration hook
|
"""Alembic configuration hook
|
||||||
|
|
||||||
|
Inject all migrations paths into the ``version_locations`` config option.
|
||||||
|
This includes even disabled plugins, as simply disabling a plugin without
|
||||||
|
uninstall can break the alembic version management.
|
||||||
"""
|
"""
|
||||||
|
import inspect, pathlib
|
||||||
|
from flaschengeist.utils.plugin import get_plugins
|
||||||
|
|
||||||
# Load migration paths from plugins
|
# Load migration paths from plugins
|
||||||
migrations = [str(p.migrations_path) for p in current_app.config["FG_PLUGINS"].values() if p and p.migrations_path]
|
migrations = [(pathlib.Path(inspect.getfile(p)).parent / "migrations") for p in get_plugins()]
|
||||||
|
migrations = [str(m.resolve()) for m in migrations if m.exists()]
|
||||||
if len(migrations) > 0:
|
if len(migrations) > 0:
|
||||||
# Get configured paths
|
# Get configured paths
|
||||||
paths = config.get_main_option("version_locations")
|
paths = config.get_main_option("version_locations")
|
||||||
|
|
|
@ -25,15 +25,7 @@ For more information, please refer to
|
||||||
"""
|
"""
|
||||||
|
|
||||||
import sqlalchemy
|
import sqlalchemy
|
||||||
import pkg_resources
|
|
||||||
from werkzeug.datastructures import FileStorage
|
|
||||||
from werkzeug.exceptions import MethodNotAllowed, NotFound
|
from werkzeug.exceptions import MethodNotAllowed, NotFound
|
||||||
from flaschengeist.controller import imageController
|
|
||||||
|
|
||||||
from flaschengeist.database import db
|
|
||||||
from flaschengeist.models.notification import Notification
|
|
||||||
from flaschengeist.models.user import _Avatar, User
|
|
||||||
from flaschengeist.models.setting import _PluginSetting
|
|
||||||
from flaschengeist.utils.hook import HookBefore, HookAfter
|
from flaschengeist.utils.hook import HookBefore, HookAfter
|
||||||
|
|
||||||
__all__ = [
|
__all__ = [
|
||||||
|
@ -112,9 +104,16 @@ class Plugin:
|
||||||
- *version*: Version of your plugin, can also be guessed by Flaschengeist
|
- *version*: Version of your plugin, can also be guessed by Flaschengeist
|
||||||
"""
|
"""
|
||||||
|
|
||||||
blueprint = None # You have to override
|
id: str = None
|
||||||
|
"""Override with the unique ID of the plugin
|
||||||
|
|
||||||
|
Hint: Use a fully qualified name like "dev.flaschengeist.plugin"
|
||||||
|
"""
|
||||||
|
|
||||||
|
blueprint = None
|
||||||
"""Override with a `flask.blueprint` if the plugin uses custom routes"""
|
"""Override with a `flask.blueprint` if the plugin uses custom routes"""
|
||||||
permissions = [] # You have to override
|
|
||||||
|
permissions: list[str] = [] # You have to override
|
||||||
"""Override to add custom permissions used by the plugin
|
"""Override to add custom permissions used by the plugin
|
||||||
|
|
||||||
A good style is to name the permissions with a prefix related to the plugin name,
|
A good style is to name the permissions with a prefix related to the plugin name,
|
||||||
|
@ -138,7 +137,6 @@ class Plugin:
|
||||||
Args:
|
Args:
|
||||||
config: Dict configuration containing the plugin section
|
config: Dict configuration containing the plugin section
|
||||||
"""
|
"""
|
||||||
self.version = pkg_resources.get_distribution(self.__module__.split(".")[0]).version
|
|
||||||
|
|
||||||
def install(self):
|
def install(self):
|
||||||
"""Installation routine
|
"""Installation routine
|
||||||
|
@ -147,6 +145,17 @@ class Plugin:
|
||||||
"""
|
"""
|
||||||
pass
|
pass
|
||||||
|
|
||||||
|
def uninstall(self):
|
||||||
|
"""Uninstall routine
|
||||||
|
|
||||||
|
If the plugin has custom database tables, make sure to remove them.
|
||||||
|
This can be either done by downgrading the plugin *head* to the *base*.
|
||||||
|
Or use custom migrations for the uninstall and *stamp* some version.
|
||||||
|
|
||||||
|
Is always called with Flask application context.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
def get_setting(self, name: str, **kwargs):
|
def get_setting(self, name: str, **kwargs):
|
||||||
"""Get plugin setting from database
|
"""Get plugin setting from database
|
||||||
|
|
||||||
|
@ -158,6 +167,8 @@ class Plugin:
|
||||||
Raises:
|
Raises:
|
||||||
`KeyError` if no such setting exists in the database
|
`KeyError` if no such setting exists in the database
|
||||||
"""
|
"""
|
||||||
|
from flaschengeist.models.setting import _PluginSetting
|
||||||
|
|
||||||
try:
|
try:
|
||||||
setting = (
|
setting = (
|
||||||
_PluginSetting.query.filter(_PluginSetting.plugin == self.name)
|
_PluginSetting.query.filter(_PluginSetting.plugin == self.name)
|
||||||
|
@ -178,6 +189,9 @@ class Plugin:
|
||||||
name: String identifying the setting
|
name: String identifying the setting
|
||||||
value: Value to be stored
|
value: Value to be stored
|
||||||
"""
|
"""
|
||||||
|
from flaschengeist.models.setting import _PluginSetting
|
||||||
|
from flaschengeist.database import db
|
||||||
|
|
||||||
setting = (
|
setting = (
|
||||||
_PluginSetting.query.filter(_PluginSetting.plugin == self.name)
|
_PluginSetting.query.filter(_PluginSetting.plugin == self.name)
|
||||||
.filter(_PluginSetting.name == name)
|
.filter(_PluginSetting.name == name)
|
||||||
|
@ -204,6 +218,9 @@ class Plugin:
|
||||||
|
|
||||||
Hint: use the data for frontend actions.
|
Hint: use the data for frontend actions.
|
||||||
"""
|
"""
|
||||||
|
from flaschengeist.models.notification import Notification
|
||||||
|
from flaschengeist.database import db
|
||||||
|
|
||||||
if not user.deleted:
|
if not user.deleted:
|
||||||
n = Notification(text=text, data=data, plugin=self.id, user_=user)
|
n = Notification(text=text, data=data, plugin=self.id, user_=user)
|
||||||
db.session.add(n)
|
db.session.add(n)
|
||||||
|
@ -220,6 +237,11 @@ class Plugin:
|
||||||
|
|
||||||
|
|
||||||
class AuthPlugin(Plugin):
|
class AuthPlugin(Plugin):
|
||||||
|
"""Base class for all authentification plugins
|
||||||
|
|
||||||
|
See also `Plugin`
|
||||||
|
"""
|
||||||
|
|
||||||
def login(self, user, pw):
|
def login(self, user, pw):
|
||||||
"""Login routine, MUST BE IMPLEMENTED!
|
"""Login routine, MUST BE IMPLEMENTED!
|
||||||
|
|
||||||
|
@ -282,7 +304,7 @@ class AuthPlugin(Plugin):
|
||||||
"""
|
"""
|
||||||
raise MethodNotAllowed
|
raise MethodNotAllowed
|
||||||
|
|
||||||
def get_avatar(self, user: User) -> _Avatar:
|
def get_avatar(self, user):
|
||||||
"""Retrieve avatar for given user (if supported by auth backend)
|
"""Retrieve avatar for given user (if supported by auth backend)
|
||||||
|
|
||||||
Default behavior is to use native Image objects,
|
Default behavior is to use native Image objects,
|
||||||
|
@ -308,9 +330,11 @@ class AuthPlugin(Plugin):
|
||||||
MethodNotAllowed: If not supported by Backend
|
MethodNotAllowed: If not supported by Backend
|
||||||
Any valid HTTP exception
|
Any valid HTTP exception
|
||||||
"""
|
"""
|
||||||
|
from flaschengeist.controller import imageController
|
||||||
|
|
||||||
user.avatar_ = imageController.upload_image(file)
|
user.avatar_ = imageController.upload_image(file)
|
||||||
|
|
||||||
def delete_avatar(self, user: User):
|
def delete_avatar(self, user):
|
||||||
"""Delete the avatar for given user (if supported by auth backend)
|
"""Delete the avatar for given user (if supported by auth backend)
|
||||||
|
|
||||||
Default behavior is to use the imageController and native Image objects.
|
Default behavior is to use the imageController and native Image objects.
|
||||||
|
|
|
@ -13,8 +13,8 @@ from flaschengeist.controller import sessionController, userController
|
||||||
|
|
||||||
|
|
||||||
class AuthRoutePlugin(Plugin):
|
class AuthRoutePlugin(Plugin):
|
||||||
name = "auth"
|
id = "dev.flaschengeist.auth"
|
||||||
blueprint = Blueprint(name, __name__)
|
blueprint = Blueprint("auth", __name__)
|
||||||
|
|
||||||
|
|
||||||
@AuthRoutePlugin.blueprint.route("/auth", methods=["POST"])
|
@AuthRoutePlugin.blueprint.route("/auth", methods=["POST"])
|
||||||
|
|
|
@ -17,6 +17,8 @@ from flaschengeist.plugins import AuthPlugin, before_role_updated
|
||||||
|
|
||||||
|
|
||||||
class AuthLDAP(AuthPlugin):
|
class AuthLDAP(AuthPlugin):
|
||||||
|
id = "auth_ldap"
|
||||||
|
|
||||||
def __init__(self, config):
|
def __init__(self, config):
|
||||||
super().__init__()
|
super().__init__()
|
||||||
app.config.update(
|
app.config.update(
|
||||||
|
|
|
@ -14,6 +14,8 @@ from flaschengeist import logger
|
||||||
|
|
||||||
|
|
||||||
class AuthPlain(AuthPlugin):
|
class AuthPlain(AuthPlugin):
|
||||||
|
id = "auth_plain"
|
||||||
|
|
||||||
def install(self):
|
def install(self):
|
||||||
plugins_installed(self.post_install)
|
plugins_installed(self.post_install)
|
||||||
|
|
||||||
|
|
|
@ -57,9 +57,10 @@ def service_debit():
|
||||||
|
|
||||||
|
|
||||||
class BalancePlugin(Plugin):
|
class BalancePlugin(Plugin):
|
||||||
name = "balance"
|
"""Balance Plugin"""
|
||||||
|
|
||||||
id = "dev.flaschengeist.balance"
|
id = "dev.flaschengeist.balance"
|
||||||
blueprint = Blueprint(name, __name__)
|
blueprint = Blueprint("balance", __name__)
|
||||||
permissions = permissions.permissions
|
permissions = permissions.permissions
|
||||||
plugin: "BalancePlugin" = LocalProxy(lambda: current_app.config["FG_PLUGINS"][BalancePlugin.name])
|
plugin: "BalancePlugin" = LocalProxy(lambda: current_app.config["FG_PLUGINS"][BalancePlugin.name])
|
||||||
models = models
|
models = models
|
||||||
|
|
|
@ -12,6 +12,8 @@ from . import Plugin
|
||||||
|
|
||||||
|
|
||||||
class MailMessagePlugin(Plugin):
|
class MailMessagePlugin(Plugin):
|
||||||
|
id = "dev.flaschengeist.mail_plugin"
|
||||||
|
|
||||||
def __init__(self, config):
|
def __init__(self, config):
|
||||||
super().__init__()
|
super().__init__()
|
||||||
self.server = config["SERVER"]
|
self.server = config["SERVER"]
|
||||||
|
|
|
@ -17,9 +17,9 @@ from . import pricelist_controller, permissions
|
||||||
|
|
||||||
|
|
||||||
class PriceListPlugin(Plugin):
|
class PriceListPlugin(Plugin):
|
||||||
name = "pricelist"
|
id = "dev.flaschengeist.pricelist"
|
||||||
permissions = permissions.permissions
|
permissions = permissions.permissions
|
||||||
blueprint = Blueprint(name, __name__, url_prefix="/pricelist")
|
blueprint = Blueprint("pricelist", __name__, url_prefix="/pricelist")
|
||||||
plugin = LocalProxy(lambda: current_app.config["FG_PLUGINS"][PriceListPlugin.name])
|
plugin = LocalProxy(lambda: current_app.config["FG_PLUGINS"][PriceListPlugin.name])
|
||||||
models = models
|
models = models
|
||||||
|
|
||||||
|
|
|
@ -16,8 +16,8 @@ from . import permissions
|
||||||
|
|
||||||
|
|
||||||
class RolesPlugin(Plugin):
|
class RolesPlugin(Plugin):
|
||||||
name = "roles"
|
id = "dev.flaschengeist.roles"
|
||||||
blueprint = Blueprint(name, __name__)
|
blueprint = Blueprint("roles", __name__)
|
||||||
permissions = permissions.permissions
|
permissions = permissions.permissions
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -18,8 +18,8 @@ from flaschengeist.utils.datetime import from_iso_format
|
||||||
|
|
||||||
|
|
||||||
class UsersPlugin(Plugin):
|
class UsersPlugin(Plugin):
|
||||||
name = "users"
|
id = "dev.flaschengeist.users"
|
||||||
blueprint = Blueprint(name, __name__)
|
blueprint = Blueprint("users", __name__)
|
||||||
permissions = permissions.permissions
|
permissions = permissions.permissions
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -0,0 +1,46 @@
|
||||||
|
"""Plugin utils
|
||||||
|
|
||||||
|
Utilities for handling Flaschengeist plugins
|
||||||
|
"""
|
||||||
|
|
||||||
|
import pkg_resources
|
||||||
|
from flaschengeist import logger
|
||||||
|
from flaschengeist.plugins import Plugin
|
||||||
|
|
||||||
|
|
||||||
|
def get_plugins() -> list[type[Plugin]]:
|
||||||
|
"""Get all installed plugins for Flaschengeist
|
||||||
|
|
||||||
|
Returns:
|
||||||
|
list of classes implementing `flaschengeist.plugins.Plugin`
|
||||||
|
"""
|
||||||
|
logger.debug("Search for plugins")
|
||||||
|
|
||||||
|
plugins = []
|
||||||
|
for entry_point in pkg_resources.iter_entry_points("flaschengeist.plugins"):
|
||||||
|
try:
|
||||||
|
logger.debug(f"Found plugin: >{entry_point.name}<")
|
||||||
|
plugin_class = entry_point.load()
|
||||||
|
if issubclass(plugin_class, Plugin):
|
||||||
|
plugins.append(plugin_class)
|
||||||
|
except TypeError:
|
||||||
|
logger.error(f"Invalid entry point for plugin {entry_point.name} found.")
|
||||||
|
return plugins
|
||||||
|
|
||||||
|
|
||||||
|
def plugin_version(plugin: type[Plugin]) -> str:
|
||||||
|
"""Get version of plugin
|
||||||
|
|
||||||
|
Returns the version of a plugin, if plugin does not set the
|
||||||
|
version property, the version of the package providing the
|
||||||
|
plugin is taken.
|
||||||
|
|
||||||
|
Args:
|
||||||
|
plugin: Plugin or Plugin class
|
||||||
|
|
||||||
|
Returns:
|
||||||
|
Version as string
|
||||||
|
"""
|
||||||
|
if plugin.version:
|
||||||
|
return plugin.version
|
||||||
|
return pkg_resources.get_distribution(plugin.__module__.split(".", 1)[0]).version
|
Loading…
Reference in New Issue