diff options
36 files changed, 688 insertions, 104 deletions
| diff --git a/docs/source/pluginwriter/api.rst b/docs/source/pluginwriter/api.rst index 6323f713..5e0568fd 100644 --- a/docs/source/pluginwriter/api.rst +++ b/docs/source/pluginwriter/api.rst @@ -32,3 +32,96 @@ Please check the release notes for updates!     :members: get_config, register_routes, register_template_path,               register_template_hooks, get_hook_templates,               hook_handle, hook_runall, hook_transform + +Configuration +------------- + +Your plugin may define its own configuration defaults. + +Simply add to the directory of your plugin a config_spec.ini file.  An +example might look like:: + +  [plugin_spec] +  some_string = string(default="blork") +  some_int = integer(default=50) + +This means that when people enable your plugin in their config you'll +be able to provide defaults as well as type validation. + + +Context Hooks +------------- + +View specific hooks ++++++++++++++++++++ + +You can hook up to almost any template called by any specific view +fairly easily.  As long as the view directly or indirectly uses the +method ``render_to_response`` you can access the context via a hook +that has a key in the format of the tuple:: + +  (view_symbolic_name, view_template_path) + +Where the "view symbolic name" is the same parameter used in +``request.urlgen()`` to look up the view.  So say we're wanting to add +something to the context of the user's homepage.  We look in +mediagoblin/user_pages/routing.py and see:: + +  add_route('mediagoblin.user_pages.user_home', +            '/u/<string:user>/', +            'mediagoblin.user_pages.views:user_home') + +Aha!  That means that the name is ``mediagoblin.user_pages.user_home``. +Okay, so then we look at the view at the +``mediagoblin.user_pages.user_home`` method:: + +  @uses_pagination +  def user_home(request, page): +      # [...] whole bunch of stuff here +      return render_to_response( +          request, +          'mediagoblin/user_pages/user.html', +          {'user': user, +           'user_gallery_url': user_gallery_url, +           'media_entries': media_entries, +           'pagination': pagination}) + +Nice!  So the template appears to be +``mediagoblin/user_pages/user.html``.  Cool, that means that the key +is:: + +  ("mediagoblin.user_pages.user_home", +   "mediagoblin/user_pages/user.html") + +The context hook uses ``hook_transform()`` so that means that if we're +hooking into it, our hook will both accept one argument, ``context``, +and should return that modified object, like so:: + +  def add_to_user_home_context(context): +      context['foo'] = 'bar' +      return context +   +  hooks = { +      ("mediagoblin.user_pages.user_home", +       "mediagoblin/user_pages/user.html"): add_to_user_home_context} + + +Global context hooks +++++++++++++++++++++ + +If you need to add something to the context of *every* view, it is not +hard; there are two hooks hook that also uses hook_transform (like the +above) but make available what you are providing to *every* view. + +Note that there is a slight, but critical, difference between the two. + +The most general one is the ``'template_global_context'`` hook.  This +one is run only once, and is read into the global context... all views +will get access to what are in this dict. + +The slightly more expensive but more powerful one is +``'template_context_prerender'``.  This one is not added to the global +context... it is added to the actual context of each individual +template render right before it is run!  Because of this you also can +do some powerful and crazy things, such as checking the request object +or other parts of the context before passing them on. diff --git a/docs/source/siteadmin/relnotes.rst b/docs/source/siteadmin/relnotes.rst index 6962dc5a..04863ec6 100644 --- a/docs/source/siteadmin/relnotes.rst +++ b/docs/source/siteadmin/relnotes.rst @@ -100,7 +100,19 @@ MongoDB-based MediaGoblin instance to the newer SQL-based system.  **Do this to upgrade** -1. Make sure to run ``bin/gmg dbupdate`` after upgrading. +    # directory of your mediagoblin install +    cd /srv/mediagoblin.example.org + +    # copy source for this release +    git fetch +    git checkout tags/v0.3.2 + +    # perform any needed database updates +    bin/gmg dbupdate +     +    # restart your servers however you do that, e.g., +    sudo service mediagoblin-paster restart +    sudo service mediagoblin-celeryd restart  **New features** diff --git a/mediagoblin.ini b/mediagoblin.ini index bed69737..4906546a 100644 --- a/mediagoblin.ini +++ b/mediagoblin.ini @@ -11,7 +11,7 @@ email_sender_address = "notice@mediagoblin.example.org"  ## Uncomment and change to your DB's appropiate setting.  ## Default is a local sqlite db "mediagoblin.db". -# sql_engine = postgresql:///gmg +# sql_engine = postgresql:///mediagoblin  # set to false to enable sending notices  email_debug_mode = true @@ -20,6 +20,8 @@ email_debug_mode = true  allow_registration = true  ## Uncomment this to turn on video or enable other media types +## You may have to install dependencies, and will have to run ./bin/dbupdate +## See http://docs.mediagoblin.org/siteadmin/media-types.html for details.  # media_types = mediagoblin.media_types.image, mediagoblin.media_types.video  ## Uncomment this to put some user-overriding templates here diff --git a/mediagoblin/app.py b/mediagoblin/app.py index bf0e0f13..1984ce77 100644 --- a/mediagoblin/app.py +++ b/mediagoblin/app.py @@ -188,6 +188,7 @@ class MediaGoblinApp(object):          mg_request.setup_user_in_request(request) +        request.controller_name = None          try:              found_rule, url_values = map_adapter.match(return_rule=True)              request.matchdict = url_values @@ -201,6 +202,9 @@ class MediaGoblinApp(object):                  exc.get_description(environ))(environ, start_response)          controller = endpoint_to_controller(found_rule) +        # Make a reference to the controller's symbolic name on the request... +        # used for lazy context modification +        request.controller_name = found_rule.endpoint          # pass the request through our meddleware classes          try: diff --git a/mediagoblin/config_spec.ini b/mediagoblin/config_spec.ini index b7c6f29a..2af4adb2 100644 --- a/mediagoblin/config_spec.ini +++ b/mediagoblin/config_spec.ini @@ -34,6 +34,9 @@ allow_registration = boolean(default=True)  # tag parsing  tags_max_length = integer(default=255) +# Enable/disable comments +allow_comments = boolean(default=True) +  # Whether comments are ascending or descending  comments_ascending = boolean(default=True) @@ -58,6 +61,7 @@ csrf_cookie_name = string(default='mediagoblin_csrftoken')  push_urls = string_list(default=list())  exif_visible = boolean(default=False) +original_date_visible = boolean(default=False)  # Theming stuff  theme_install_dir = string(default="%(here)s/user_dev/themes/") diff --git a/mediagoblin/db/models.py b/mediagoblin/db/models.py index 2412706e..2b925983 100644 --- a/mediagoblin/db/models.py +++ b/mediagoblin/db/models.py @@ -55,6 +55,10 @@ class User(Base, UserMixin):      id = Column(Integer, primary_key=True)      username = Column(Unicode, nullable=False, unique=True) +    # Note: no db uniqueness constraint on email because it's not +    # reliable (many email systems case insensitive despite against +    # the RFC) and because it would be a mess to implement at this +    # point.      email = Column(Unicode, nullable=False)      created = Column(DateTime, nullable=False, default=datetime.datetime.now)      pw_hash = Column(Unicode, nullable=False) diff --git a/mediagoblin/gmg_commands/dbupdate.py b/mediagoblin/gmg_commands/dbupdate.py index 32700c40..fa25ecb2 100644 --- a/mediagoblin/gmg_commands/dbupdate.py +++ b/mediagoblin/gmg_commands/dbupdate.py @@ -78,6 +78,7 @@ def gather_database_data(media_types, plugins):          except AttributeError as exc:              _log.warning('Could not find MODELS in {0}.models, have you \  forgotten to add it? ({1})'.format(plugin, exc)) +            models = []          try:              migrations = import_component('{0}.migrations:MIGRATIONS'.format( @@ -91,6 +92,7 @@ forgotten to add it? ({1})'.format(plugin, exc))          except AttributeError as exc:              _log.debug('Cloud not find MIGRATIONS in {0}.migrations, have you \  forgotten to add it? ({1})'.format(plugin, exc)) +            migrations = {}          if models:              managed_dbdata.append( diff --git a/mediagoblin/init/config.py b/mediagoblin/init/config.py index ac4ab9bf..11a91cff 100644 --- a/mediagoblin/init/config.py +++ b/mediagoblin/init/config.py @@ -14,6 +14,7 @@  # You should have received a copy of the GNU Affero General Public License  # along with this program.  If not, see <http://www.gnu.org/licenses/>. +import logging  import os  import pkg_resources @@ -21,6 +22,9 @@ from configobj import ConfigObj, flatten_errors  from validate import Validator +_log = logging.getLogger(__name__) + +  CONFIG_SPEC_PATH = pkg_resources.resource_filename(      'mediagoblin', 'config_spec.ini') @@ -42,6 +46,9 @@ def read_mediagoblin_config(config_path, config_spec=CONFIG_SPEC_PATH):      Also provides %(__file__)s and %(here)s values of this file and      its directory respectively similar to paste deploy. +    Also reads for [plugins] section, appends all config_spec.ini +    files from said plugins into the general config_spec specification. +      This function doesn't itself raise any exceptions if validation      fails, you'll have to do something @@ -57,10 +64,45 @@ def read_mediagoblin_config(config_path, config_spec=CONFIG_SPEC_PATH):      """      config_path = os.path.abspath(config_path) +    # PRE-READ of config file.  This allows us to fetch the plugins so +    # we can add their plugin specs to the general config_spec. +    config = ConfigObj( +        config_path, +        interpolation='ConfigParser') + +    plugins = config.get("plugins", {}).keys() +    plugin_configs = {} + +    for plugin in plugins: +        try: +            plugin_config_spec_path = pkg_resources.resource_filename( +                plugin, "config_spec.ini") +            if not os.path.exists(plugin_config_spec_path): +                continue +             +            plugin_config_spec = ConfigObj( +                plugin_config_spec_path, +                encoding='UTF8', list_values=False, _inspec=True) +            _setup_defaults(plugin_config_spec, config_path) + +            if not "plugin_spec" in plugin_config_spec: +                continue + +            plugin_configs[plugin] = plugin_config_spec["plugin_spec"] + +        except ImportError: +            _log.warning( +                "When setting up config section, could not import '%s'" % +                plugin) +     +    # Now load the main config spec      config_spec = ConfigObj(          config_spec,          encoding='UTF8', list_values=False, _inspec=True) +    # append the plugin specific sections of the config spec +    config_spec['plugins'] = plugin_configs +      _setup_defaults(config_spec, config_path)      config = ConfigObj( diff --git a/mediagoblin/media_types/image/__init__.py b/mediagoblin/media_types/image/__init__.py index 15cc8dda..5130ef48 100644 --- a/mediagoblin/media_types/image/__init__.py +++ b/mediagoblin/media_types/image/__init__.py @@ -14,6 +14,8 @@  # You should have received a copy of the GNU Affero General Public License  # along with this program.  If not, see <http://www.gnu.org/licenses/>. +import datetime +  from mediagoblin.media_types import MediaManagerBase  from mediagoblin.media_types.image.processing import process_image, \      sniff_handler @@ -28,5 +30,26 @@ class ImageMediaManager(MediaManagerBase):      accepted_extensions = ["jpg", "jpeg", "png", "gif", "tiff"]      media_fetch_order = [u'medium', u'original', u'thumb'] +    def get_original_date(self): +        """ +        Get the original date and time from the EXIF information. Returns +        either a datetime object or None (if anything goes wrong) +        """ +        if not self.entry.media_data or not self.entry.media_data.exif_all: +            return None + +        try: +            # Try wrapped around all since exif_all might be none, +            # EXIF DateTimeOriginal or printable might not exist +            # or strptime might not be able to parse date correctly +            exif_date = self.entry.media_data.exif_all[ +                'EXIF DateTimeOriginal']['printable'] +            original_date = datetime.datetime.strptime( +                exif_date, +                '%Y:%m:%d %H:%M:%S') +            return original_date +        except (KeyError, ValueError): +            return None +  MEDIA_MANAGER = ImageMediaManager diff --git a/mediagoblin/messages.py b/mediagoblin/messages.py index 80d8ece7..d58f13d4 100644 --- a/mediagoblin/messages.py +++ b/mediagoblin/messages.py @@ -14,16 +14,24 @@  # You should have received a copy of the GNU Affero General Public License  # along with this program.  If not, see <http://www.gnu.org/licenses/>. +from mediagoblin.tools import common +  DEBUG = 'debug'  INFO = 'info'  SUCCESS = 'success'  WARNING = 'warning'  ERROR = 'error' +ADD_MESSAGE_TEST = [] +  def add_message(request, level, text):      messages = request.session.setdefault('messages', [])      messages.append({'level': level, 'text': text}) + +    if common.TESTS_ENABLED: +        ADD_MESSAGE_TEST.append(messages) +      request.session.save() @@ -33,4 +41,10 @@ def fetch_messages(request, clear_from_session=True):          # Save that we removed the messages from the session          request.session['messages'] = []          request.session.save() +      return messages + + +def clear_add_message(): +    global ADD_MESSAGE_TEST +    ADD_MESSAGE_TEST = [] diff --git a/mediagoblin/plugins/api/__init__.py b/mediagoblin/plugins/api/__init__.py index d3fdf2ef..1eddd9e0 100644 --- a/mediagoblin/plugins/api/__init__.py +++ b/mediagoblin/plugins/api/__init__.py @@ -23,11 +23,11 @@ _log = logging.getLogger(__name__)  PLUGIN_DIR = os.path.dirname(__file__) -config = pluginapi.get_config(__name__) -  def setup_plugin():      _log.info('Setting up API...') +    config = pluginapi.get_config(__name__) +      _log.debug('API config: {0}'.format(config))      routes = [ diff --git a/mediagoblin/plugins/piwigo/__init__.py b/mediagoblin/plugins/piwigo/__init__.py index 73326e9e..c4da708a 100644 --- a/mediagoblin/plugins/piwigo/__init__.py +++ b/mediagoblin/plugins/piwigo/__init__.py @@ -17,6 +17,8 @@  import logging  from mediagoblin.tools import pluginapi +from mediagoblin.tools.session import SessionManager +from .tools import PWGSession  _log = logging.getLogger(__name__) @@ -32,6 +34,9 @@ def setup_plugin():      pluginapi.register_routes(routes) +    PWGSession.session_manager = SessionManager("pwg_id", "plugins.piwigo") + +  hooks = {      'setup': setup_plugin  } diff --git a/mediagoblin/plugins/piwigo/forms.py b/mediagoblin/plugins/piwigo/forms.py index 5bb12e62..fb04aa6a 100644 --- a/mediagoblin/plugins/piwigo/forms.py +++ b/mediagoblin/plugins/piwigo/forms.py @@ -26,3 +26,19 @@ class AddSimpleForm(wtforms.Form):      # tags = wtforms.FieldList(wtforms.TextField())      category = wtforms.IntegerField()      level = wtforms.IntegerField() + + +_md5_validator = wtforms.validators.Regexp(r"^[0-9a-fA-F]{32}$") + + +class AddForm(wtforms.Form): +    original_sum = wtforms.TextField(None, +        [_md5_validator, +         wtforms.validators.Required()]) +    thumbnail_sum = wtforms.TextField(None, +        [wtforms.validators.Optional(), +         _md5_validator]) +    file_sum = wtforms.TextField(None, [_md5_validator]) +    name = wtforms.TextField() +    date_creation = wtforms.TextField() +    categories = wtforms.TextField() diff --git a/mediagoblin/plugins/piwigo/tools.py b/mediagoblin/plugins/piwigo/tools.py index 4d2e985a..400be615 100644 --- a/mediagoblin/plugins/piwigo/tools.py +++ b/mediagoblin/plugins/piwigo/tools.py @@ -18,8 +18,9 @@ import logging  import six  import lxml.etree as ET -from werkzeug.exceptions import MethodNotAllowed +from werkzeug.exceptions import MethodNotAllowed, BadRequest +from mediagoblin.tools.request import setup_user_in_request  from mediagoblin.tools.response import Response @@ -106,3 +107,46 @@ class CmdTable(object):              _log.warn("Method %s only allowed for POST", cmd_name)              raise MethodNotAllowed()          return func + + +def check_form(form): +    if not form.validate(): +        _log.error("form validation failed for form %r", form) +        for f in form: +            if len(f.error): +                _log.error("Errors for %s: %r", f.name, f.errors) +        raise BadRequest() +    dump = [] +    for f in form: +        dump.append("%s=%r" % (f.name, f.data)) +    _log.debug("form: %s", " ".join(dump)) + + +class PWGSession(object): +    session_manager = None + +    def __init__(self, request): +        self.request = request +        self.in_pwg_session = False + +    def __enter__(self): +        # Backup old state +        self.old_session = self.request.session +        self.old_user = self.request.user +        # Load piwigo session into state +        self.request.session = self.session_manager.load_session_from_cookie( +            self.request) +        setup_user_in_request(self.request) +        self.in_pwg_session = True +        return self + +    def  __exit__(self, *args): +        # Restore state +        self.request.session = self.old_session +        self.request.user = self.old_user +        self.in_pwg_session = False + +    def save_to_cookie(self, response): +        assert self.in_pwg_session +        self.session_manager.save_session_to_cookie(self.request.session, +            self.request, response) diff --git a/mediagoblin/plugins/piwigo/views.py b/mediagoblin/plugins/piwigo/views.py index bd3f9320..b59247ad 100644 --- a/mediagoblin/plugins/piwigo/views.py +++ b/mediagoblin/plugins/piwigo/views.py @@ -20,11 +20,12 @@ import re  from werkzeug.exceptions import MethodNotAllowed, BadRequest, NotImplemented  from werkzeug.wrappers import BaseResponse -from mediagoblin import mg_globals  from mediagoblin.meddleware.csrf import csrf_exempt  from mediagoblin.submit.lib import check_file_field -from .tools import CmdTable, PwgNamedArray, response_xml -from .forms import AddSimpleForm +from mediagoblin.auth.lib import fake_login_attempt +from .tools import CmdTable, PwgNamedArray, response_xml, check_form, \ +    PWGSession +from .forms import AddSimpleForm, AddForm  _log = logging.getLogger(__name__) @@ -34,13 +35,25 @@ _log = logging.getLogger(__name__)  def pwg_login(request):      username = request.form.get("username")      password = request.form.get("password") -    _log.info("Login for %r/%r...", username, password) +    _log.debug("Login for %r/%r...", username, password) +    user = request.db.User.query.filter_by(username=username).first() +    if not user: +        _log.info("User %r not found", username) +        fake_login_attempt() +        return False +    if not user.check_login(password): +        _log.warn("Wrong password for %r", username) +        return False +    _log.info("Logging %r in", username) +    request.session["user_id"] = user.id +    request.session.save()      return True  @CmdTable("pwg.session.logout")  def pwg_logout(request):      _log.info("Logout") +    request.session.delete()      return True @@ -51,7 +64,11 @@ def pwg_getversion(request):  @CmdTable("pwg.session.getStatus")  def pwg_session_getStatus(request): -    return {'username': "fake_user"} +    if request.user: +        username = request.user.username +    else: +        username = "guest" +    return {'username': username}  @CmdTable("pwg.categories.getList") @@ -133,17 +150,13 @@ def pwg_images_addChunk(request):      return True -def possibly_add_cookie(request, response): -    # TODO: We should only add a *real* cookie, if -    # authenticated. And if there is no cookie already. -    if True: -        response.set_cookie( -            'pwg_id', -            "some_fake_for_now", -            path=request.environ['SCRIPT_NAME'], -            domain=mg_globals.app_config.get('csrf_cookie_domain'), -            secure=(request.scheme.lower() == 'https'), -            httponly=True) +@CmdTable("pwg.images.add", True) +def pwg_images_add(request): +    _log.info("add: %r", request.form) +    form = AddForm(request.form) +    check_form(form) + +    return {'image_id': 123456, 'url': ''}  @csrf_exempt @@ -158,13 +171,13 @@ def ws_php(request):                    request.args, request.form)          raise NotImplemented() -    result = func(request) - -    if isinstance(result, BaseResponse): -        return result +    with PWGSession(request) as session: +        result = func(request) -    response = response_xml(result) +        if isinstance(result, BaseResponse): +            return result -    possibly_add_cookie(request, response) +        response = response_xml(result) +        session.save_to_cookie(response) -    return response +        return response diff --git a/mediagoblin/templates/mediagoblin/user_pages/media.html b/mediagoblin/templates/mediagoblin/user_pages/media.html index 7dea3f09..92c01c48 100644 --- a/mediagoblin/templates/mediagoblin/user_pages/media.html +++ b/mediagoblin/templates/mediagoblin/user_pages/media.html @@ -43,7 +43,7 @@      {%- endtrans -%}    </p>    {% include "mediagoblin/utils/prev_next.html" %} -  <div class="media_pane">      +  <div class="media_pane">      <div class="media_image_container">        {% block mediagoblin_media %}          {% set display_media = request.app.public_store.file_url( @@ -71,7 +71,7 @@        {{ media.title }}      </h2>      {% if request.user and -          (media.uploader == request.user.id or  +          (media.uploader == request.user.id or             request.user.is_admin) %}        {% set edit_url = request.urlgen('mediagoblin.edit.edit_media',                                   user= media.get_uploader.username, @@ -86,15 +86,17 @@        <p>{{ media.description_html }}</p>      {% endautoescape %}      {% if comments %} -          <a -            {% if not request.user %} -              href="{{ request.urlgen('mediagoblin.auth.login') }}" -            {% endif %} -            class="button_action" id="button_addcomment" title="Add a comment"> -            {% trans %}Add a comment{% endtrans %} -          </a> +      {% if app_config['allow_comments'] %} +        <a +          {% if not request.user %} +            href="{{ request.urlgen('mediagoblin.auth.login') }}" +          {% endif %} +          class="button_action" id="button_addcomment" title="Add a comment"> +          {% trans %}Add a comment{% endtrans %} +        </a> +      {% endif %}        {% if request.user %} -        <form action="{{ request.urlgen('mediagoblin.user_pages.media_post_comment',  +        <form action="{{ request.urlgen('mediagoblin.user_pages.media_post_comment',                                           user= media.get_uploader.username,                                           media_id=media.id) }}" method="POST" id="form_comment">            {{ wtforms_util.render_divs(comment_form) }} @@ -145,12 +147,27 @@      {% endif %}    </div>    <div class="media_sidebar"> -    <h3>Added</h3> +    <h3>{% trans %}Added{% endtrans %}</h3>      <p><span title="{{ media.created.strftime("%I:%M%p %Y-%m-%d") }}">          {%- trans formatted_time=timesince(media.created) -%}                {{ formatted_time }} ago          {%- endtrans -%}      </span></p> + +    {% if app_config['original_date_visible'] %} +      {% set original_date = media.media_manager.get_original_date() %} + +      {% if original_date %} +        <h3>{% trans %}Created{% endtrans %}</h3> + +        <p><span title="{{ original_date.strftime("%I:%M%p %Y-%m-%d") }}"> +          {%- trans formatted_time=timesince(original_date) -%} +            {{ formatted_time }} ago +          {%- endtrans -%} +        </span></p> +      {%- endif %} +    {% endif %} +      {% if media.tags %}        {% include "mediagoblin/utils/tags.html" %}      {% endif %} @@ -160,7 +177,7 @@      {% include "mediagoblin/utils/license.html" %}      {% include "mediagoblin/utils/exif.html" %} -     +      {%- if media.attachment_files|count %}        <h3>{% trans %}Attachments{% endtrans %}</h3>        <ul> diff --git a/mediagoblin/tests/__init__.py b/mediagoblin/tests/__init__.py index 5a3235c6..7a88281e 100644 --- a/mediagoblin/tests/__init__.py +++ b/mediagoblin/tests/__init__.py @@ -18,12 +18,10 @@ import os  import shutil  from mediagoblin import mg_globals -from mediagoblin.tests.tools import ( -    TEST_USER_DEV, suicide_if_bad_celery_environ) +from mediagoblin.tests.tools import TEST_USER_DEV  def setup_package(): -    suicide_if_bad_celery_environ()      import warnings      from sqlalchemy.exc import SAWarning diff --git a/mediagoblin/tests/appconfig_context_modified.ini b/mediagoblin/tests/appconfig_context_modified.ini new file mode 100644 index 00000000..e93797df --- /dev/null +++ b/mediagoblin/tests/appconfig_context_modified.ini @@ -0,0 +1,26 @@ +[mediagoblin] +direct_remote_path = /test_static/ +email_sender_address = "notice@mediagoblin.example.org" +email_debug_mode = true + +# TODO: Switch to using an in-memory database +sql_engine = "sqlite:///%(here)s/test_user_dev/mediagoblin.db" + +# Celery shouldn't be set up by the application as it's setup via +# mediagoblin.init.celery.from_celery +celery_setup_elsewhere = true + +[storage:publicstore] +base_dir = %(here)s/test_user_dev/media/public +base_url = /mgoblin_media/ + +[storage:queuestore] +base_dir = %(here)s/test_user_dev/media/queue + +[celery] +CELERY_ALWAYS_EAGER = true +CELERY_RESULT_DBURI = "sqlite:///%(here)s/test_user_dev/celery.db" +BROKER_HOST = "sqlite:///%(here)s/test_user_dev/kombu.db" + +[plugins] +[[mediagoblin.tests.testplugins.modify_context]] diff --git a/mediagoblin/tests/appconfig_plugin_specs.ini b/mediagoblin/tests/appconfig_plugin_specs.ini new file mode 100644 index 00000000..5511cd97 --- /dev/null +++ b/mediagoblin/tests/appconfig_plugin_specs.ini @@ -0,0 +1,21 @@ +[mediagoblin] +direct_remote_path = /mgoblin_static/ +email_sender_address = "notice@mediagoblin.example.org" + +## Uncomment and change to your DB's appropiate setting. +## Default is a local sqlite db "mediagoblin.db". +# sql_engine = postgresql:///gmg + +# set to false to enable sending notices +email_debug_mode = true + +# Set to false to disable registrations +allow_registration = true + +[plugins] +[[mediagoblin.tests.testplugins.pluginspec]] +some_string = "not blork" +some_int = "not an int" + +# this one shouldn't have its own config +[[mediagoblin.tests.testplugins.callables1]] diff --git a/mediagoblin/tests/conftest.py b/mediagoblin/tests/conftest.py index 25f495d6..dbb0aa0a 100644 --- a/mediagoblin/tests/conftest.py +++ b/mediagoblin/tests/conftest.py @@ -1,7 +1,25 @@ -from mediagoblin.tests import tools +# GNU MediaGoblin -- federated, autonomous media hosting +# Copyright (C) 2013 MediaGoblin contributors.  See AUTHORS. +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU Affero General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the +# GNU Affero General Public License for more details. +# +# You should have received a copy of the GNU Affero General Public License +# along with this program.  If not, see <http://www.gnu.org/licenses/>.  import pytest +from mediagoblin.tests import tools +from mediagoblin.tools.testing import _activate_testing + +  @pytest.fixture()  def test_app(request):      """ @@ -13,3 +31,11 @@ def test_app(request):      in differently to get_app.      """      return tools.get_app(request) + + +@pytest.fixture() +def pt_fixture_enable_testing(): +    """ +    py.test fixture to enable testing mode in tools. +    """ +    _activate_testing() diff --git a/mediagoblin/tests/pytest.ini b/mediagoblin/tests/pytest.ini index d4aa2d69..e561c074 100644 --- a/mediagoblin/tests/pytest.ini +++ b/mediagoblin/tests/pytest.ini @@ -1,2 +1,2 @@  [pytest] -usefixtures = tmpdir
\ No newline at end of file +usefixtures = tmpdir pt_fixture_enable_testing diff --git a/mediagoblin/tests/test_messages.py b/mediagoblin/tests/test_messages.py index 3ac917b0..22f9e800 100644 --- a/mediagoblin/tests/test_messages.py +++ b/mediagoblin/tests/test_messages.py @@ -14,7 +14,7 @@  # You should have received a copy of the GNU Affero General Public License  # along with this program.  If not, see <http://www.gnu.org/licenses/>. -from mediagoblin.messages import fetch_messages, add_message +from mediagoblin import messages  from mediagoblin.tools import template @@ -32,11 +32,19 @@ def test_messages(test_app):      # The message queue should be empty      assert request.session.get('messages', []) == [] +    # First of all, we should clear the messages queue +    messages.clear_add_message()      # Adding a message should modify the session accordingly -    add_message(request, 'herp_derp', 'First!') +    messages.add_message(request, 'herp_derp', 'First!')      test_msg_queue = [{'text': 'First!', 'level': 'herp_derp'}] -    assert request.session['messages'] == test_msg_queue + +    # Alternative tests to the following, test divided in two steps: +    # assert request.session['messages'] == test_msg_queue +    # 1. Tests if add_message worked +    assert messages.ADD_MESSAGE_TEST[-1] == test_msg_queue +    # 2. Tests if add_message updated session information +    assert messages.ADD_MESSAGE_TEST[-1] == request.session['messages']      # fetch_messages should return and empty the queue -    assert fetch_messages(request) == test_msg_queue +    assert messages.fetch_messages(request) == test_msg_queue      assert request.session.get('messages') == [] diff --git a/mediagoblin/tests/test_mgoblin_app.ini b/mediagoblin/tests/test_mgoblin_app.ini index 9f95a398..2e876812 100644 --- a/mediagoblin/tests/test_mgoblin_app.ini +++ b/mediagoblin/tests/test_mgoblin_app.ini @@ -12,10 +12,6 @@ tags_max_length = 50  # So we can start to test attachments:  allow_attachments = True -# Celery shouldn't be set up by the application as it's setup via -# mediagoblin.init.celery.from_celery -celery_setup_elsewhere = true -  media_types = mediagoblin.media_types.image, mediagoblin.media_types.pdf  [storage:publicstore] @@ -34,4 +30,4 @@ BROKER_HOST = "sqlite:///%(here)s/test_user_dev/kombu.db"  [[mediagoblin.plugins.api]]  [[mediagoblin.plugins.oauth]]  [[mediagoblin.plugins.httpapiauth]] - +[[mediagoblin.plugins.piwigo]] diff --git a/mediagoblin/tests/test_piwigo.py b/mediagoblin/tests/test_piwigo.py new file mode 100644 index 00000000..18f95057 --- /dev/null +++ b/mediagoblin/tests/test_piwigo.py @@ -0,0 +1,69 @@ +# GNU MediaGoblin -- federated, autonomous media hosting +# Copyright (C) 2013 MediaGoblin contributors.  See AUTHORS. +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU Affero General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the +# GNU Affero General Public License for more details. +# +# You should have received a copy of the GNU Affero General Public License +# along with this program.  If not, see <http://www.gnu.org/licenses/>. + +import pytest +from .tools import fixture_add_user + + +XML_PREFIX = "<?xml version='1.0' encoding='utf-8'?>\n" + + +class Test_PWG(object): +    @pytest.fixture(autouse=True) +    def setup(self, test_app): +        self.test_app = test_app + +        fixture_add_user() + +        self.username = u"chris" +        self.password = "toast" + +    def do_post(self, method, params): +        params["method"] = method +        return self.test_app.post("/api/piwigo/ws.php", params) + +    def do_get(self, method, params=None): +        if params is None: +            params = {} +        params["method"] = method +        return self.test_app.get("/api/piwigo/ws.php", params) + +    def test_session(self): +        resp = self.do_post("pwg.session.login", +            {"username": u"nouser", "password": "wrong"}) +        assert resp.body ==  XML_PREFIX + '<rsp stat="ok">0</rsp>' + +        resp = self.do_post("pwg.session.login", +            {"username": self.username, "password": "wrong"}) +        assert resp.body ==  XML_PREFIX + '<rsp stat="ok">0</rsp>' + +        resp = self.do_get("pwg.session.getStatus") +        assert resp.body == XML_PREFIX \ +            + '<rsp stat="ok"><username>guest</username></rsp>' + +        resp = self.do_post("pwg.session.login", +            {"username": self.username, "password": self.password}) +        assert resp.body ==  XML_PREFIX + '<rsp stat="ok">1</rsp>' + +        resp = self.do_get("pwg.session.getStatus") +        assert resp.body == XML_PREFIX \ +            + '<rsp stat="ok"><username>chris</username></rsp>' + +        self.do_get("pwg.session.logout") + +        resp = self.do_get("pwg.session.getStatus") +        assert resp.body == XML_PREFIX \ +            + '<rsp stat="ok"><username>guest</username></rsp>' diff --git a/mediagoblin/tests/test_pluginapi.py b/mediagoblin/tests/test_pluginapi.py index f03e868f..73ad235e 100644 --- a/mediagoblin/tests/test_pluginapi.py +++ b/mediagoblin/tests/test_pluginapi.py @@ -18,10 +18,14 @@ import sys  from configobj import ConfigObj  import pytest +import pkg_resources +from validate import VdtTypeError  from mediagoblin import mg_globals  from mediagoblin.init.plugins import setup_plugins +from mediagoblin.init.config import read_mediagoblin_config  from mediagoblin.tools import pluginapi +from mediagoblin.tests.tools import get_app  def with_cleanup(*modules_to_delete): @@ -294,3 +298,63 @@ def test_hook_transform():      assert pluginapi.hook_transform(          "expand_tuple", (-1, 0)) == (-1, 0, 1, 2, 3) + + +def test_plugin_config(): +    """ +    Make sure plugins can set up their own config +    """ +    config, validation_result = read_mediagoblin_config( +        pkg_resources.resource_filename( +            'mediagoblin.tests', 'appconfig_plugin_specs.ini')) + +    pluginspec_section = config['plugins'][ +        'mediagoblin.tests.testplugins.pluginspec'] +    assert pluginspec_section['some_string'] == 'not blork' +    assert pluginspec_section['dont_change_me'] == 'still the default' + +    # Make sure validation works... this should be an error +    assert isinstance( +        validation_result[ +            'plugins'][ +                'mediagoblin.tests.testplugins.pluginspec'][ +                    'some_int'], +        VdtTypeError) + +    # the callables thing shouldn't really have anything though. +    assert len(config['plugins'][ +        'mediagoblin.tests.testplugins.callables1']) == 0 + + +@pytest.fixture() +def context_modified_app(request): +    """ +    Get a MediaGoblin app fixture using appconfig_context_modified.ini +    """ +    return get_app( +        request, +        mgoblin_config=pkg_resources.resource_filename( +            'mediagoblin.tests', 'appconfig_context_modified.ini')) + + +def test_modify_context(context_modified_app): +    """ +    Test that we can modify both the view/template specific and +    global contexts for templates. +    """ +    # Specific thing passed into a page +    result = context_modified_app.get("/modify_context/specific/") +    assert result.body.strip() == """Specific page! + +specific thing: in yer specificpage +global thing: globally appended! +something: orother +doubleme: happyhappy""" + +    # General test, should have global context variable only +    result = context_modified_app.get("/modify_context/") +    assert result.body.strip() == """General page! + +global thing: globally appended! +lol: cats +doubleme: joyjoy""" diff --git a/mediagoblin/tests/test_processing.py b/mediagoblin/tests/test_processing.py index fe8489aa..591add96 100644 --- a/mediagoblin/tests/test_processing.py +++ b/mediagoblin/tests/test_processing.py @@ -1,7 +1,5 @@  #!/usr/bin/env python -from nose.tools import assert_equal -  from mediagoblin import processing  class TestProcessing(object): @@ -10,7 +8,7 @@ class TestProcessing(object):          result = builder.fill(format)          if output is None:              return result -        assert_equal(output, result) +        assert output == result      def test_easy_filename_fill(self):          self.run_fill('/home/user/foo.TXT', '{basename}bar{ext}', 'foobar.txt') diff --git a/mediagoblin/tests/testplugins/modify_context/__init__.py b/mediagoblin/tests/testplugins/modify_context/__init__.py new file mode 100644 index 00000000..164e66c1 --- /dev/null +++ b/mediagoblin/tests/testplugins/modify_context/__init__.py @@ -0,0 +1,55 @@ +# GNU MediaGoblin -- federated, autonomous media hosting +# Copyright (C) 2011, 2012 MediaGoblin contributors.  See AUTHORS. +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU Affero General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the +# GNU Affero General Public License for more details. +# +# You should have received a copy of the GNU Affero General Public License +# along with this program.  If not, see <http://www.gnu.org/licenses/>. + +from mediagoblin.tools import pluginapi +import pkg_resources + + +def append_to_specific_context(context): +    context['specific_page_append'] = 'in yer specificpage' +    return context + +def append_to_global_context(context): +    context['global_append'] = 'globally appended!' +    return context + +def double_doubleme(context): +    if 'doubleme' in context: +        context['doubleme'] = context['doubleme'] * 2 +    return context + + +def setup_plugin(): +    routes = [ +        ('modify_context.specific_page', +         '/modify_context/specific/', +         'mediagoblin.tests.testplugins.modify_context.views:specific'), +        ('modify_context.general_page', +         '/modify_context/', +         'mediagoblin.tests.testplugins.modify_context.views:general')] + +    pluginapi.register_routes(routes) +    pluginapi.register_template_path( +        pkg_resources.resource_filename( +            'mediagoblin.tests.testplugins.modify_context', 'templates')) + + +hooks = { +    'setup': setup_plugin, +    ('modify_context.specific_page', +     'contextplugin/specific.html'): append_to_specific_context, +    'template_global_context': append_to_global_context, +    'template_context_prerender': double_doubleme} diff --git a/mediagoblin/tests/testplugins/modify_context/templates/contextplugin/general.html b/mediagoblin/tests/testplugins/modify_context/templates/contextplugin/general.html new file mode 100644 index 00000000..9cf96d3e --- /dev/null +++ b/mediagoblin/tests/testplugins/modify_context/templates/contextplugin/general.html @@ -0,0 +1,5 @@ +General page! + +global thing: {{ global_append }} +lol: {{ lol }} +doubleme: {{ doubleme }} diff --git a/mediagoblin/tests/testplugins/modify_context/templates/contextplugin/specific.html b/mediagoblin/tests/testplugins/modify_context/templates/contextplugin/specific.html new file mode 100644 index 00000000..5b1b4c4a --- /dev/null +++ b/mediagoblin/tests/testplugins/modify_context/templates/contextplugin/specific.html @@ -0,0 +1,6 @@ +Specific page! + +specific thing: {{ specific_page_append }} +global thing: {{ global_append }} +something: {{ something }} +doubleme: {{ doubleme }} diff --git a/mediagoblin/init/celery/from_tests.py b/mediagoblin/tests/testplugins/modify_context/views.py index 3149e1ba..701ec6f9 100644 --- a/mediagoblin/init/celery/from_tests.py +++ b/mediagoblin/tests/testplugins/modify_context/views.py @@ -14,20 +14,20 @@  # You should have received a copy of the GNU Affero General Public License  # along with this program.  If not, see <http://www.gnu.org/licenses/>. -import os +from mediagoblin.tools.response import render_to_response -from mediagoblin.tests.tools import TEST_APP_CONFIG -from mediagoblin.init.celery.from_celery import setup_self +def specific(request): +    return render_to_response( +        request, +        'contextplugin/specific.html', +        {"something": "orother", +         "doubleme": "happy"}) -OUR_MODULENAME = __name__ -CELERY_SETUP = False - -if os.environ.get('CELERY_CONFIG_MODULE') == OUR_MODULENAME: -    if CELERY_SETUP: -        pass -    else: -        setup_self(check_environ_for_conf=False, module_name=OUR_MODULENAME, -                   default_conf_file=TEST_APP_CONFIG) -        CELERY_SETUP = True +def general(request): +    return render_to_response( +        request, +        'contextplugin/general.html', +        {"lol": "cats", +         "doubleme": "joy"}) diff --git a/mediagoblin/tests/testplugins/pluginspec/__init__.py b/mediagoblin/tests/testplugins/pluginspec/__init__.py new file mode 100644 index 00000000..76ca2b1f --- /dev/null +++ b/mediagoblin/tests/testplugins/pluginspec/__init__.py @@ -0,0 +1,22 @@ +# GNU MediaGoblin -- federated, autonomous media hosting +# Copyright (C) 2011, 2012 MediaGoblin contributors.  See AUTHORS. +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU Affero General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the +# GNU Affero General Public License for more details. +# +# You should have received a copy of the GNU Affero General Public License +# along with this program.  If not, see <http://www.gnu.org/licenses/>. + +def setup_plugin(): +    pass + +hooks = { +    'setup': setup_plugin, +} diff --git a/mediagoblin/tests/testplugins/pluginspec/config_spec.ini b/mediagoblin/tests/testplugins/pluginspec/config_spec.ini new file mode 100644 index 00000000..5c9c3bd7 --- /dev/null +++ b/mediagoblin/tests/testplugins/pluginspec/config_spec.ini @@ -0,0 +1,4 @@ +[plugin_spec] +some_string = string(default="blork") +some_int = integer(default=50) +dont_change_me = string(default="still the default")
\ No newline at end of file diff --git a/mediagoblin/tests/tools.py b/mediagoblin/tests/tools.py index 52635e18..794ed940 100644 --- a/mediagoblin/tests/tools.py +++ b/mediagoblin/tests/tools.py @@ -33,7 +33,6 @@ from mediagoblin.db.base import Session  from mediagoblin.meddleware import BaseMeddleware  from mediagoblin.auth.lib import bcrypt_gen_password_hash  from mediagoblin.gmg_commands.dbupdate import run_dbupdate -from mediagoblin.init.celery import setup_celery_app  MEDIAGOBLIN_TEST_DB_NAME = u'__mediagoblin_tests__' @@ -47,16 +46,6 @@ TEST_USER_DEV = pkg_resources.resource_filename(  USER_DEV_DIRECTORIES_TO_SETUP = ['media/public', 'media/queue'] -BAD_CELERY_MESSAGE = """\ -Sorry, you *absolutely* must run tests with the -mediagoblin.init.celery.from_tests module.  Like so: - -$ CELERY_CONFIG_MODULE=mediagoblin.init.celery.from_tests {0} -""".format(sys.argv[0]) - - -class BadCeleryEnviron(Exception): pass -  class TestingMeddleware(BaseMeddleware):      """ @@ -97,12 +86,6 @@ class TestingMeddleware(BaseMeddleware):          return -def suicide_if_bad_celery_environ(): -    if not os.environ.get('CELERY_CONFIG_MODULE') == \ -            'mediagoblin.init.celery.from_tests': -        raise BadCeleryEnviron(BAD_CELERY_MESSAGE) - -  def get_app(request, paste_config=None, mgoblin_config=None):      """Create a MediaGoblin app for testing. @@ -127,14 +110,6 @@ def get_app(request, paste_config=None, mgoblin_config=None):      shutil.copyfile(paste_config, new_paste_config)      shutil.copyfile(mgoblin_config, new_mgoblin_config) -    suicide_if_bad_celery_environ() - -    # Make sure we've turned on testing -    testing._activate_testing() - -    # Leave this imported as it sets up celery. -    from mediagoblin.init.celery import from_tests -      Session.rollback()      Session.remove() @@ -154,9 +129,6 @@ def get_app(request, paste_config=None, mgoblin_config=None):      test_app = loadapp(          'config:' + new_paste_config) -    # Re-setup celery -    setup_celery_app(app_config, global_config) -      # Insert the TestingMeddleware, which can do some      # sanity checks on every request/response.      # Doing it this way is probably not the cleanest way. diff --git a/mediagoblin/tools/template.py b/mediagoblin/tools/template.py index 54aeac92..3d651a6e 100644 --- a/mediagoblin/tools/template.py +++ b/mediagoblin/tools/template.py @@ -27,7 +27,7 @@ from mediagoblin import messages  from mediagoblin import _version  from mediagoblin.tools import common  from mediagoblin.tools.translate import set_thread_locale -from mediagoblin.tools.pluginapi import get_hook_templates +from mediagoblin.tools.pluginapi import get_hook_templates, hook_transform  from mediagoblin.tools.timesince import timesince  from mediagoblin.meddleware.csrf import render_csrf_form_token @@ -80,6 +80,9 @@ def get_jinja_env(template_loader, locale):      # allow for hooking up plugin templates      template_env.globals['get_hook_templates'] = get_hook_templates +    template_env.globals = hook_transform( +        'template_global_context', template_env.globals) +      if exists(locale):          SETUP_JINJA_ENVS[locale] = template_env @@ -103,6 +106,20 @@ def render_template(request, template_path, context):      rendered_csrf_token = render_csrf_form_token(request)      if rendered_csrf_token is not None:          context['csrf_token'] = render_csrf_form_token(request) + +    # allow plugins to do things to the context +    if request.controller_name: +        context = hook_transform( +            (request.controller_name, template_path), +            context) + +    # More evil: allow plugins to possibly do something to the context +    # in every request ever with access to the request and other +    # variables.  Note: this is slower than using +    # template_global_context +    context = hook_transform( +        'template_context_prerender', context) +      rendered = template.render(context)      if common.TESTS_ENABLED: diff --git a/mediagoblin/user_pages/views.py b/mediagoblin/user_pages/views.py index 52745be2..738cc054 100644 --- a/mediagoblin/user_pages/views.py +++ b/mediagoblin/user_pages/views.py @@ -161,7 +161,13 @@ def media_post_comment(request, media):      comment.author = request.user.id      comment.content = unicode(request.form['comment_content']) -    if not comment.content.strip(): +    # Show error message if commenting is disabled. +    if not mg_globals.app_config['allow_comments']: +        messages.add_message( +            request, +            messages.ERROR, +            _("Sorry, comments are disabled.")) +    elif not comment.content.strip():          messages.add_message(              request,              messages.ERROR, diff --git a/runtests.sh b/runtests.sh index 382e2fa6..00164a78 100755 --- a/runtests.sh +++ b/runtests.sh @@ -39,10 +39,6 @@ else  fi -CELERY_CONFIG_MODULE=mediagoblin.init.celery.from_tests -export CELERY_CONFIG_MODULE -echo "+ CELERY_CONFIG_MODULE=$CELERY_CONFIG_MODULE" -  # Look to see if the user has specified a specific directory/file to  # run tests out of.  If not we'll need to pass along  # mediagoblin/tests/ later very specifically.  Otherwise py.test | 
