123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461 |
- # -*- coding: utf-8 -*-
- """
- flaskbb.app
- ~~~~~~~~~~~
- manages the app creation and configuration process
- :copyright: (c) 2014 by the FlaskBB Team.
- :license: BSD, see LICENSE for more details.
- """
- import logging
- import logging.config
- import os
- import sys
- import time
- from datetime import datetime
- from functools import partial
- from flask import Flask, request
- from flask_login import current_user
- from sqlalchemy import event
- from sqlalchemy.engine import Engine
- from sqlalchemy.exc import OperationalError, ProgrammingError
- from flaskbb._compat import iteritems, string_types
- # extensions
- from flaskbb.extensions import (alembic, allows, babel, cache, celery, csrf,
- db, debugtoolbar, limiter, login_manager, mail,
- redis_store, themes, whooshee)
- from flaskbb.plugins import spec
- from flaskbb.plugins.manager import FlaskBBPluginManager
- from flaskbb.plugins.models import PluginRegistry
- from flaskbb.plugins.utils import remove_zombie_plugins_from_db, template_hook
- # models
- from flaskbb.user.models import Guest, User
- # various helpers
- from flaskbb.utils.helpers import (app_config_from_env, crop_title,
- format_date, forum_is_unread,
- get_alembic_locations, get_flaskbb_config,
- is_online, mark_online,
- render_template, time_since, time_utcnow,
- topic_is_unread, format_datetime)
- # permission checks (here they are used for the jinja filters)
- from flaskbb.utils.requirements import (CanBanUser, CanEditUser, IsAdmin,
- IsAtleastModerator, TplCanDeletePost,
- TplCanDeleteTopic, TplCanEditPost,
- TplCanModerate, TplCanPostReply,
- TplCanPostTopic)
- # whooshees
- from flaskbb.utils.search import (ForumWhoosheer, PostWhoosheer,
- TopicWhoosheer, UserWhoosheer)
- # app specific configurations
- from flaskbb.utils.settings import flaskbb_config
- from flaskbb.utils.translations import FlaskBBDomain
- from . import markup
- from .auth import views as auth_views
- from .forum import views as forum_views
- from .management import views as management_views
- from .user import views as user_views
- logger = logging.getLogger(__name__)
- def create_app(config=None, instance_path=None):
- """Creates the app.
- :param instance_path: An alternative instance path for the application.
- By default the folder ``'instance'`` next to the
- package or module is assumed to be the instance
- path.
- See :ref:`Instance Folders <flask:instance-folders>`.
- :param config: The configuration file or object.
- The environment variable is weightet as the heaviest.
- For example, if the config is specified via an file
- and a ENVVAR, it will load the config via the file and
- later overwrite it from the ENVVAR.
- """
- app = Flask(
- "flaskbb", instance_path=instance_path, instance_relative_config=True
- )
- # instance folders are not automatically created by flask
- if not os.path.exists(app.instance_path):
- os.makedirs(app.instance_path)
- configure_app(app, config)
- configure_celery_app(app, celery)
- configure_extensions(app)
- load_plugins(app)
- configure_blueprints(app)
- configure_template_filters(app)
- configure_context_processors(app)
- configure_before_handlers(app)
- configure_errorhandlers(app)
- configure_migrations(app)
- configure_translations(app)
- app.pluggy.hook.flaskbb_additional_setup(app=app, pluggy=app.pluggy)
- return app
- def configure_app(app, config):
- """Configures FlaskBB."""
- # Use the default config and override it afterwards
- app.config.from_object('flaskbb.configs.default.DefaultConfig')
- config = get_flaskbb_config(app, config)
- # Path
- if isinstance(config, string_types):
- app.config.from_pyfile(config)
- # Module
- else:
- # try to update the config from the object
- app.config.from_object(config)
- # Add the location of the config to the config
- app.config["CONFIG_PATH"] = config
- # Environment
- # Get config file from envvar
- app.config.from_envvar("FLASKBB_SETTINGS", silent=True)
- # Parse the env for FLASKBB_ prefixed env variables and set
- # them on the config object
- app_config_from_env(app, prefix="FLASKBB_")
- # Setting up logging as early as possible
- configure_logging(app)
- if not isinstance(config, string_types) and config is not None:
- config_name = "{}.{}".format(config.__module__, config.__name__)
- else:
- config_name = config
- logger.info("Using config from: {}".format(config_name))
- app.pluggy = FlaskBBPluginManager('flaskbb', implprefix='flaskbb_')
- def configure_celery_app(app, celery):
- """Configures the celery app."""
- app.config.update({'BROKER_URL': app.config["CELERY_BROKER_URL"]})
- celery.conf.update(app.config)
- TaskBase = celery.Task
- class ContextTask(TaskBase):
- def __call__(self, *args, **kwargs):
- with app.app_context():
- return TaskBase.__call__(self, *args, **kwargs)
- celery.Task = ContextTask
- def configure_blueprints(app):
- app.pluggy.hook.flaskbb_load_blueprints(app=app)
- def configure_extensions(app):
- """Configures the extensions."""
- # Flask-WTF CSRF
- csrf.init_app(app)
- # Flask-SQLAlchemy
- db.init_app(app)
- # Flask-Alembic
- alembic.init_app(app, command_name="db")
- # Flask-Mail
- mail.init_app(app)
- # Flask-Cache
- cache.init_app(app)
- # Flask-Debugtoolbar
- debugtoolbar.init_app(app)
- # Flask-Themes
- themes.init_themes(app, app_identifier="flaskbb")
- # Flask-And-Redis
- redis_store.init_app(app)
- # Flask-Limiter
- limiter.init_app(app)
- # Flask-Whooshee
- whooshee.init_app(app)
- # not needed for unittests - and it will speed up testing A LOT
- if not app.testing:
- whooshee.register_whoosheer(PostWhoosheer)
- whooshee.register_whoosheer(TopicWhoosheer)
- whooshee.register_whoosheer(ForumWhoosheer)
- whooshee.register_whoosheer(UserWhoosheer)
- # Flask-Login
- login_manager.login_view = app.config["LOGIN_VIEW"]
- login_manager.refresh_view = app.config["REAUTH_VIEW"]
- login_manager.login_message_category = app.config["LOGIN_MESSAGE_CATEGORY"]
- login_manager.needs_refresh_message_category = \
- app.config["REFRESH_MESSAGE_CATEGORY"]
- login_manager.anonymous_user = Guest
- @login_manager.user_loader
- def load_user(user_id):
- """Loads the user. Required by the `login` extension."""
- user_instance = User.query.filter_by(id=user_id).first()
- if user_instance:
- return user_instance
- else:
- return None
- login_manager.init_app(app)
- # Flask-Allows
- allows.init_app(app)
- allows.identity_loader(lambda: current_user)
- def configure_template_filters(app):
- """Configures the template filters."""
- filters = {}
- filters['format_date'] = format_date
- filters['format_datetime'] = format_datetime
- filters['time_since'] = time_since
- filters['is_online'] = is_online
- filters['crop_title'] = crop_title
- filters['forum_is_unread'] = forum_is_unread
- filters['topic_is_unread'] = topic_is_unread
- permissions = [
- ('is_admin', IsAdmin),
- ('is_moderator', IsAtleastModerator),
- ('is_admin_or_moderator', IsAtleastModerator),
- ('can_edit_user', CanEditUser),
- ('can_ban_user', CanBanUser),
- ]
- filters.update(
- [(name, partial(perm, request=request)) for name, perm in permissions]
- )
- # these create closures
- filters['can_moderate'] = TplCanModerate(request)
- filters['post_reply'] = TplCanPostReply(request)
- filters['edit_post'] = TplCanEditPost(request)
- filters['delete_post'] = TplCanDeletePost(request)
- filters['post_topic'] = TplCanPostTopic(request)
- filters['delete_topic'] = TplCanDeleteTopic(request)
- app.jinja_env.filters.update(filters)
- app.jinja_env.globals["run_hook"] = template_hook
- app.pluggy.hook.flaskbb_jinja_directives(app=app)
- def configure_context_processors(app):
- """Configures the context processors."""
- @app.context_processor
- def inject_flaskbb_config():
- """Injects the ``flaskbb_config`` config variable into the
- templates.
- """
- return dict(flaskbb_config=flaskbb_config, format_date=format_date)
- @app.context_processor
- def inject_now():
- """Injects the current time."""
- return dict(now=datetime.utcnow())
- def configure_before_handlers(app):
- """Configures the before request handlers."""
- @app.before_request
- def update_lastseen():
- """Updates `lastseen` before every reguest if the user is
- authenticated."""
- if current_user.is_authenticated:
- current_user.lastseen = time_utcnow()
- db.session.add(current_user)
- db.session.commit()
- if app.config["REDIS_ENABLED"]:
- @app.before_request
- def mark_current_user_online():
- if current_user.is_authenticated:
- mark_online(current_user.username)
- else:
- mark_online(request.remote_addr, guest=True)
- app.pluggy.hook.flaskbb_request_processors(app=app)
- def configure_errorhandlers(app):
- """Configures the error handlers."""
- @app.errorhandler(403)
- def forbidden_page(error):
- return render_template("errors/forbidden_page.html"), 403
- @app.errorhandler(404)
- def page_not_found(error):
- return render_template("errors/page_not_found.html"), 404
- @app.errorhandler(500)
- def server_error_page(error):
- return render_template("errors/server_error.html"), 500
- app.pluggy.hook.flaskbb_errorhandlers(app=app)
- def configure_migrations(app):
- """Configure migrations."""
- plugin_dirs = app.pluggy.hook.flaskbb_load_migrations()
- version_locations = get_alembic_locations(plugin_dirs)
- app.config['ALEMBIC']['version_locations'] = version_locations
- def configure_translations(app):
- """Configure translations."""
- # we have to initialize the extension after we have loaded the plugins
- # because we of the 'flaskbb_load_translations' hook
- babel.init_app(app=app, default_domain=FlaskBBDomain(app))
- @babel.localeselector
- def get_locale():
- # if a user is logged in, use the locale from the user settings
- if current_user and \
- current_user.is_authenticated and current_user.language:
- return current_user.language
- # otherwise we will just fallback to the default language
- return flaskbb_config["DEFAULT_LANGUAGE"]
- def configure_logging(app):
- """Configures logging."""
- if app.config.get('USE_DEFAULT_LOGGING'):
- configure_default_logging(app)
- if app.config.get('LOG_CONF_FILE'):
- logging.config.fileConfig(
- app.config['LOG_CONF_FILE'], disable_existing_loggers=False
- )
- if app.config["SQLALCHEMY_ECHO"]:
- # Ref: http://stackoverflow.com/a/8428546
- @event.listens_for(Engine, "before_cursor_execute")
- def before_cursor_execute(
- conn, cursor, statement, parameters, context, executemany
- ):
- conn.info.setdefault('query_start_time', []).append(time.time())
- @event.listens_for(Engine, "after_cursor_execute")
- def after_cursor_execute(
- conn, cursor, statement, parameters, context, executemany
- ):
- total = time.time() - conn.info['query_start_time'].pop(-1)
- app.logger.debug("Total Time: %f", total)
- def configure_default_logging(app):
- # Load default logging config
- logging.config.dictConfig(app.config["LOG_DEFAULT_CONF"])
- if app.config["SEND_LOGS"]:
- configure_mail_logs(app)
- def configure_mail_logs(app, formatter):
- from logging.handlers import SMTPHandler
- formatter = logging.Formatter(
- "%(asctime)s %(levelname)-7s %(name)-25s %(message)s"
- )
- mail_handler = SMTPHandler(
- app.config['MAIL_SERVER'], app.config['MAIL_DEFAULT_SENDER'],
- app.config['ADMINS'], 'application error, no admins specified',
- (app.config['MAIL_USERNAME'], app.config['MAIL_PASSWORD'])
- )
- mail_handler.setLevel(logging.ERROR)
- mail_handler.setFormatter(formatter)
- app.logger.addHandler(mail_handler)
- def load_plugins(app):
- app.pluggy.add_hookspecs(spec)
- # have to find all the flaskbb modules that are loaded this way
- # otherwise sys.modules might change while we're iterating it
- # because of imports and that makes Python very unhappy
- # we are not interested in duplicated plugins or invalid ones
- # ('None' - appears on py2) and thus using a set
- flaskbb_modules = set(
- module for name, module in iteritems(sys.modules)
- if name.startswith('flaskbb')
- )
- for module in flaskbb_modules:
- app.pluggy.register(module, internal=True)
- try:
- with app.app_context():
- plugins = PluginRegistry.query.all()
- except (OperationalError, ProgrammingError) as exc:
- logger.debug(
- "Database is not setup correctly or has not been "
- "setup yet.",
- exc_info=exc
- )
- # load plugins even though the database isn't setup correctly
- # i.e. when creating the initial database and wanting to install
- # the plugins migration as well
- app.pluggy.load_setuptools_entrypoints('flaskbb_plugins')
- return
- for plugin in plugins:
- if not plugin.enabled:
- app.pluggy.set_blocked(plugin.name)
- app.pluggy.load_setuptools_entrypoints('flaskbb_plugins')
- app.pluggy.hook.flaskbb_extensions(app=app)
- loaded_names = set([p[0] for p in app.pluggy.list_name_plugin()])
- registered_names = set([p.name for p in plugins])
- unregistered = [
- PluginRegistry(name=name)
- for name in loaded_names - registered_names
- # ignore internal FlaskBB modules
- if not name.startswith('flaskbb.') and name != 'flaskbb'
- ]
- with app.app_context():
- db.session.add_all(unregistered)
- db.session.commit()
- removed = 0
- if app.config["REMOVE_DEAD_PLUGINS"]:
- removed = remove_zombie_plugins_from_db()
- logger.info("Removed Plugins: {}".format(removed))
- # we need a copy of it because of
- # RuntimeError: dictionary changed size during iteration
- tasks = celery.tasks.copy()
- disabled_plugins = [
- p.__package__ for p in app.pluggy.get_disabled_plugins()
- ]
- for task_name, task in iteritems(tasks):
- if task.__module__.split(".")[0] in disabled_plugins:
- logger.debug("Unregistering task: '{}'".format(task))
- celery.tasks.unregister(task_name)
|