我正在 GAE、webapp2、jinja2 上构建一个项目,并使用engineauth进行授权。我需要类似 Django 的东西才能在模板中使用来自webapp2.requestcontext_processor
的会话、用户和其他一些变量。请帮我解决这个问题。
问问题
519 次
1 回答
2
有很多方法可以实现这一目标。
最简单的方法可能是这样的:
def extra_context(handler, context=None):
"""
Adds extra context.
"""
context = context or {}
# You can load and run various template processors from settings like Django does.
# I don't do this in my projects because I'm not building yet another framework
# so I like to keep it simple:
return dict({'request': handler.request}, **context)
# --- somewhere in response handler ---
def get(self):
my_context = {}
template = get_template_somehow()
self.response.out.write(template.render(**extra_context(self, my_context))
我喜欢当我的变量在模板全局变量中时,我可以在模板小部件中访问它们,而不必在模板中传递一堆变量。所以我这样做:
def get_template_globals(handler):
return {
'request': handler.request,
'settings': <...>
}
class MyHandlerBase(webapp.RequestHandler):
def render(self, context=None):
context = context or {}
globals_ = get_template_globals(self)
template = jinja_env.get_template(template_name, globals=globals_)
self.response.out.write(template.render(**context))
还有其他方法:使用 Werkzeug 和 Jinja2 的上下文处理器
于 2012-07-12T08:10:02.890 回答