Commit ea36b834 by Calen Pennington

Merge pull request #811 from cpennington/initialize-mitxmako-at-startup

Move mitxmako initialization to a startup module
parents b0cdbbc1 7d79f4fe
...@@ -12,36 +12,11 @@ ...@@ -12,36 +12,11 @@
# See the License for the specific language governing permissions and # See the License for the specific language governing permissions and
# limitations under the License. # limitations under the License.
from mako.lookup import TemplateLookup
import tempdir
from django.template import RequestContext from django.template import RequestContext
from django.conf import settings
requestcontext = None requestcontext = None
lookup = {}
class MakoMiddleware(object): class MakoMiddleware(object):
def __init__(self):
"""Setup mako variables and lookup object"""
# Set all mako variables based on django settings
template_locations = settings.MAKO_TEMPLATES
module_directory = getattr(settings, 'MAKO_MODULE_DIR', None)
if module_directory is None:
module_directory = tempdir.mkdtemp_clean()
for location in template_locations:
lookup[location] = TemplateLookup(directories=template_locations[location],
module_directory=module_directory,
output_encoding='utf-8',
input_encoding='utf-8',
default_filters=['decode.utf8'],
encoding_errors='replace',
)
import mitxmako
mitxmako.lookup = lookup
def process_request(self, request): def process_request(self, request):
global requestcontext global requestcontext
......
...@@ -16,7 +16,7 @@ from django.template import Context ...@@ -16,7 +16,7 @@ from django.template import Context
from django.http import HttpResponse from django.http import HttpResponse
import logging import logging
from . import middleware import mitxmako
from django.conf import settings from django.conf import settings
from django.core.urlresolvers import reverse from django.core.urlresolvers import reverse
log = logging.getLogger(__name__) log = logging.getLogger(__name__)
...@@ -80,15 +80,15 @@ def render_to_string(template_name, dictionary, context=None, namespace='main'): ...@@ -80,15 +80,15 @@ def render_to_string(template_name, dictionary, context=None, namespace='main'):
context_instance['marketing_link'] = marketing_link context_instance['marketing_link'] = marketing_link
# In various testing contexts, there might not be a current request context. # In various testing contexts, there might not be a current request context.
if middleware.requestcontext is not None: if mitxmako.middleware.requestcontext is not None:
for d in middleware.requestcontext: for d in mitxmako.middleware.requestcontext:
context_dictionary.update(d) context_dictionary.update(d)
for d in context_instance: for d in context_instance:
context_dictionary.update(d) context_dictionary.update(d)
if context: if context:
context_dictionary.update(context) context_dictionary.update(context)
# fetch and render template # fetch and render template
template = middleware.lookup[namespace].get_template(template_name) template = mitxmako.lookup[namespace].get_template(template_name)
return template.render_unicode(**context_dictionary) return template.render_unicode(**context_dictionary)
......
"""
Initialize the mako template lookup
"""
import tempdir
from django.conf import settings
from mako.lookup import TemplateLookup
import mitxmako
def run():
"""Setup mako variables and lookup object"""
# Set all mako variables based on django settings
template_locations = settings.MAKO_TEMPLATES
module_directory = getattr(settings, 'MAKO_MODULE_DIR', None)
if module_directory is None:
module_directory = tempdir.mkdtemp_clean()
lookup = {}
for location in template_locations:
lookup[location] = TemplateLookup(
directories=template_locations[location],
module_directory=module_directory,
output_encoding='utf-8',
input_encoding='utf-8',
default_filters=['decode.utf8'],
encoding_errors='replace',
)
mitxmako.lookup = lookup
...@@ -16,7 +16,8 @@ from django.conf import settings ...@@ -16,7 +16,8 @@ from django.conf import settings
from mako.template import Template as MakoTemplate from mako.template import Template as MakoTemplate
from mitxmako.shortcuts import marketing_link from mitxmako.shortcuts import marketing_link
from mitxmako import middleware import mitxmako
import mitxmako.middleware
django_variables = ['lookup', 'output_encoding', 'encoding_errors'] django_variables = ['lookup', 'output_encoding', 'encoding_errors']
...@@ -33,7 +34,7 @@ class Template(MakoTemplate): ...@@ -33,7 +34,7 @@ class Template(MakoTemplate):
def __init__(self, *args, **kwargs): def __init__(self, *args, **kwargs):
"""Overrides base __init__ to provide django variable overrides""" """Overrides base __init__ to provide django variable overrides"""
if not kwargs.get('no_django', False): if not kwargs.get('no_django', False):
overrides = dict([(k, getattr(middleware, k, None),) for k in django_variables]) overrides = dict([(k, getattr(mitxmako, k, None),) for k in django_variables])
overrides['lookup'] = overrides['lookup']['main'] overrides['lookup'] = overrides['lookup']['main']
kwargs.update(overrides) kwargs.update(overrides)
super(Template, self).__init__(*args, **kwargs) super(Template, self).__init__(*args, **kwargs)
...@@ -47,8 +48,8 @@ class Template(MakoTemplate): ...@@ -47,8 +48,8 @@ class Template(MakoTemplate):
context_dictionary = {} context_dictionary = {}
# In various testing contexts, there might not be a current request context. # In various testing contexts, there might not be a current request context.
if middleware.requestcontext is not None: if mitxmako.middleware.requestcontext is not None:
for d in middleware.requestcontext: for d in mitxmako.middleware.requestcontext:
context_dictionary.update(d) context_dictionary.update(d)
for d in context_instance: for d in context_instance:
context_dictionary.update(d) context_dictionary.update(d)
......
...@@ -16,10 +16,6 @@ from django.contrib.auth.models import User ...@@ -16,10 +16,6 @@ from django.contrib.auth.models import User
from student.models import UserProfile from student.models import UserProfile
import mitxmako.middleware as middleware
middleware.MakoMiddleware()
class Command(BaseCommand): class Command(BaseCommand):
help = \ help = \
......
...@@ -12,10 +12,6 @@ from django.contrib.auth.models import User ...@@ -12,10 +12,6 @@ from django.contrib.auth.models import User
from student.models import UserProfile from student.models import UserProfile
import mitxmako.middleware as middleware
middleware.MakoMiddleware()
def import_user(u): def import_user(u):
user_info = u['u'] user_info = u['u']
......
from django.core.management.base import BaseCommand from django.core.management.base import BaseCommand
from django.contrib.auth.models import User from django.contrib.auth.models import User
import mitxmako.middleware as middleware
from student.models import UserTestGroup from student.models import UserTestGroup
import random import random
...@@ -11,8 +10,6 @@ import datetime ...@@ -11,8 +10,6 @@ import datetime
import json import json
from pytz import UTC from pytz import UTC
middleware.MakoMiddleware()
def group_from_value(groups, v): def group_from_value(groups, v):
''' Given group: (('a',0.3),('b',0.4),('c',0.3)) And random value ''' Given group: (('a',0.3),('b',0.4),('c',0.3)) And random value
......
from django.core.management.base import BaseCommand from django.core.management.base import BaseCommand
from django.contrib.auth.models import User from django.contrib.auth.models import User
import mitxmako.middleware as middleware
middleware.MakoMiddleware()
class Command(BaseCommand): class Command(BaseCommand):
help = \ help = \
......
from django.core.management.base import BaseCommand from django.core.management.base import BaseCommand
from django.contrib.auth.models import User from django.contrib.auth.models import User
import mitxmako.middleware as middleware import mitxmako
middleware.MakoMiddleware()
class Command(BaseCommand): class Command(BaseCommand):
...@@ -17,8 +15,8 @@ body, and an _subject.txt for the subject. ''' ...@@ -17,8 +15,8 @@ body, and an _subject.txt for the subject. '''
#text = open(args[0]).read() #text = open(args[0]).read()
#subject = open(args[1]).read() #subject = open(args[1]).read()
users = User.objects.all() users = User.objects.all()
text = middleware.lookup['main'].get_template('email/' + args[0] + ".txt").render() text = mitxmako.lookup['main'].get_template('email/' + args[0] + ".txt").render()
subject = middleware.lookup['main'].get_template('email/' + args[0] + "_subject.txt").render().strip() subject = mitxmako.lookup['main'].get_template('email/' + args[0] + "_subject.txt").render().strip()
for user in users: for user in users:
if user.is_active: if user.is_active:
user.email_user(subject, text) user.email_user(subject, text)
...@@ -4,15 +4,13 @@ import time ...@@ -4,15 +4,13 @@ import time
from django.core.management.base import BaseCommand from django.core.management.base import BaseCommand
from django.conf import settings from django.conf import settings
import mitxmako.middleware as middleware import mitxmako
from django.core.mail import send_mass_mail from django.core.mail import send_mass_mail
import sys import sys
import datetime import datetime
middleware.MakoMiddleware()
def chunks(l, n): def chunks(l, n):
""" Yield successive n-sized chunks from l. """ Yield successive n-sized chunks from l.
...@@ -41,8 +39,8 @@ rate -- messages per second ...@@ -41,8 +39,8 @@ rate -- messages per second
users = [u.strip() for u in open(user_file).readlines()] users = [u.strip() for u in open(user_file).readlines()]
message = middleware.lookup['main'].get_template('emails/' + message_base + "_body.txt").render() message = mitxmako.lookup['main'].get_template('emails/' + message_base + "_body.txt").render()
subject = middleware.lookup['main'].get_template('emails/' + message_base + "_subject.txt").render().strip() subject = mitxmako.lookup['main'].get_template('emails/' + message_base + "_subject.txt").render().strip()
rate = int(ratestr) rate = int(ratestr)
self.log_file = open(logfilename, "a+", buffering=0) self.log_file = open(logfilename, "a+", buffering=0)
......
from django.core.management.base import BaseCommand from django.core.management.base import BaseCommand
from django.contrib.auth.models import User from django.contrib.auth.models import User
import mitxmako.middleware as middleware
import json import json
from student.models import UserProfile from student.models import UserProfile
middleware.MakoMiddleware()
class Command(BaseCommand): class Command(BaseCommand):
help = \ help = \
......
...@@ -7,7 +7,7 @@ def autostartup(): ...@@ -7,7 +7,7 @@ def autostartup():
""" """
for app in settings.INSTALLED_APPS: for app in settings.INSTALLED_APPS:
try: try:
mod = import_module('{}.startup') mod = import_module(app + '.startup')
if hasattr(mod, 'run'): if hasattr(mod, 'run'):
mod.run() mod.run()
except ImportError: except ImportError:
......
...@@ -3,7 +3,6 @@ from certificates.models import certificate_status_for_student ...@@ -3,7 +3,6 @@ from certificates.models import certificate_status_for_student
from certificates.models import CertificateStatuses as status from certificates.models import CertificateStatuses as status
from certificates.models import CertificateWhitelist from certificates.models import CertificateWhitelist
from mitxmako.middleware import MakoMiddleware
from courseware import grades, courses from courseware import grades, courses
from django.test.client import RequestFactory from django.test.client import RequestFactory
from capa.xqueue_interface import XQueueInterface from capa.xqueue_interface import XQueueInterface
...@@ -52,14 +51,6 @@ class XQueueCertInterface(object): ...@@ -52,14 +51,6 @@ class XQueueCertInterface(object):
""" """
def __init__(self, request=None): def __init__(self, request=None):
# MakoMiddleware Note:
# Line below has the side-effect of writing to a module level lookup
# table that will allow problems to render themselves. If this is not
# present, problems that a student hasn't seen will error when loading,
# causing the grading system to under-count the possible score and
# inflate their grade. This dependency is bad and was probably recently
# introduced. This is the bandage until we can trace the root cause.
m = MakoMiddleware()
# Get basic auth (username/password) for # Get basic auth (username/password) for
# xqueue connection if it's in the settings # xqueue connection if it's in the settings
......
...@@ -10,8 +10,6 @@ from django.contrib.auth.models import User ...@@ -10,8 +10,6 @@ from django.contrib.auth.models import User
import xmodule import xmodule
import mitxmako.middleware as middleware
middleware.MakoMiddleware()
from xmodule.modulestore.django import modulestore from xmodule.modulestore.django import modulestore
from courseware.model_data import ModelDataCache from courseware.model_data import ModelDataCache
from courseware.module_render import get_module from courseware.module_render import get_module
......
...@@ -12,6 +12,7 @@ from django.core.urlresolvers import reverse ...@@ -12,6 +12,7 @@ from django.core.urlresolvers import reverse
from student.models import CourseEnrollment from student.models import CourseEnrollment
from student.tests.factories import AdminFactory from student.tests.factories import AdminFactory
from mitxmako.middleware import MakoMiddleware
from xmodule.modulestore.django import modulestore from xmodule.modulestore.django import modulestore
...@@ -135,6 +136,10 @@ class ViewsTestCase(TestCase): ...@@ -135,6 +136,10 @@ class ViewsTestCase(TestCase):
def verify_end_date(self, course_id, expected_end_text=None): def verify_end_date(self, course_id, expected_end_text=None):
request = self.request_factory.get("foo") request = self.request_factory.get("foo")
request.user = self.user request.user = self.user
# TODO: Remove the dependency on MakoMiddleware (by making the views explicitly supply a RequestContext)
MakoMiddleware().process_request(request)
result = views.course_about(request, course_id) result = views.course_about(request, course_id)
if expected_end_text is not None: if expected_end_text is not None:
self.assertContains(result, "Classes End") self.assertContains(result, "Classes End")
......
...@@ -20,7 +20,6 @@ from dogapi import dog_stats_api ...@@ -20,7 +20,6 @@ from dogapi import dog_stats_api
from xmodule.modulestore.django import modulestore from xmodule.modulestore.django import modulestore
import mitxmako.middleware as middleware
from track.views import task_track from track.views import task_track
from courseware.models import StudentModule from courseware.models import StudentModule
...@@ -35,26 +34,6 @@ TASK_LOG = get_task_logger(__name__) ...@@ -35,26 +34,6 @@ TASK_LOG = get_task_logger(__name__)
UNKNOWN_TASK_ID = 'unknown-task_id' UNKNOWN_TASK_ID = 'unknown-task_id'
def initialize_mako(sender=None, conf=None, **kwargs):
"""
Get mako templates to work on celery worker server's worker thread.
The initialization of Mako templating is usually done when Django is
initializing middleware packages as part of processing a server request.
When this is run on a celery worker server, no such initialization is
called.
To make sure that we don't load this twice (just in case), we look for the
result: the defining of the lookup paths for templates.
"""
if 'main' not in middleware.lookup:
TASK_LOG.info("Initializing Mako middleware explicitly")
middleware.MakoMiddleware()
# Actually make the call to define the hook:
worker_process_init.connect(initialize_mako)
class UpdateProblemModuleStateError(Exception): class UpdateProblemModuleStateError(Exception):
""" """
Error signaling a fatal condition while updating problem modules. Error signaling a fatal condition while updating problem modules.
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment