Templates

Flask leverages Jinja2 as template engine. You are obviously free to usea different template engine, but you still have to install Jinja2 to runFlask itself. This requirement is necessary to enable rich extensions.An extension can depend on Jinja2 being present.

This section only gives a very quick introduction into how Jinja2is integrated into Flask. If you want information on the templateengine’s syntax itself, head over to the official Jinja2 TemplateDocumentation formore information.

Jinja Setup

Unless customized, Jinja2 is configured by Flask as follows:

  • autoescaping is enabled for all templates ending in .html,.htm, .xml as well as .xhtml when usingrender_template().

  • autoescaping is enabled for all strings when usingrender_template_string().

  • a template has the ability to opt in/out autoescaping with the{% autoescape %} tag.

  • Flask inserts a couple of global functions and helpers into theJinja2 context, additionally to the values that are present bydefault.

Standard Context

The following global variables are available within Jinja2 templatesby default:

  • config
  • The current configuration object (flask.config)Changelog

Changed in version 0.10: This is now always available, even in imported templates.

New in version 0.6.

  • request
  • The current request object (flask.request). This variable isunavailable if the template was rendered without an active requestcontext.

  • session

  • The current session object (flask.session). This variableis unavailable if the template was rendered without an active requestcontext.

  • g

  • The request-bound object for global variables (flask.g). Thisvariable is unavailable if the template was rendered without an activerequest context.

  • url_for()

  • The flask.url_for() function.

  • get_flashed_messages()

  • The flask.get_flashed_messages() function.

The Jinja Context Behavior

These variables are added to the context of variables, they are notglobal variables. The difference is that by default these will notshow up in the context of imported templates. This is partially causedby performance considerations, partially to keep things explicit.

What does this mean for you? If you have a macro you want to import,that needs to access the request object you have two possibilities:

  • you explicitly pass the request to the macro as parameter, orthe attribute of the request object you are interested in.

  • you import the macro “with context”.

Importing with context looks like this:

  1. {% from '_helpers.html' import my_macro with context %}

Standard Filters

These filters are available in Jinja2 additionally to the filters providedby Jinja2 itself:

  • tojson()
  • This function converts the given object into JSON representation. Thisis for example very helpful if you try to generate JavaScript on thefly.
  1. <script type=text/javascript>
  2. doSomethingWith({{ user.username|tojson }});
  3. </script>

It is also safe to use the output of |tojson in a single-quoted HTMLattribute:

  1. <button onclick='doSomethingWith({{ user.username|tojson }})'>
  2. Click me
  3. </button>

Note that in versions of Flask prior to 0.10, if using the output of|tojson inside script, make sure to disable escaping with |safe.In Flask 0.10 and above, this happens automatically.

Controlling Autoescaping

Autoescaping is the concept of automatically escaping special charactersfor you. Special characters in the sense of HTML (or XML, and thus XHTML)are &, >, <, " as well as '. Because these characterscarry specific meanings in documents on their own you have to replace themby so called “entities” if you want to use them for text. Not doing sowould not only cause user frustration by the inability to use thesecharacters in text, but can also lead to security problems. (seeCross-Site Scripting (XSS))

Sometimes however you will need to disable autoescaping in templates.This can be the case if you want to explicitly inject HTML into pages, forexample if they come from a system that generates secure HTML like amarkdown to HTML converter.

There are three ways to accomplish that:

  • In the Python code, wrap the HTML string in a Markupobject before passing it to the template. This is in general therecommended way.

  • Inside the template, use the |safe filter to explicitly mark astring as safe HTML ({{ myvariable|safe }})

  • Temporarily disable the autoescape system altogether.

To disable the autoescape system in templates, you can use the {%autoescape %} block:

  1. {% autoescape false %}
  2. <p>autoescaping is disabled here
  3. <p>{{ will_not_be_escaped }}
  4. {% endautoescape %}

Whenever you do this, please be very cautious about the variables you areusing in this block.

Registering Filters

If you want to register your own filters in Jinja2 you have two ways to dothat. You can either put them by hand into thejinja_env of the application or use thetemplate_filter() decorator.

The two following examples work the same and both reverse an object:

  1. @app.template_filter('reverse')def reverse_filter(s): return s[::-1]

  2. def reverse_filter(s): return s[::-1]app.jinja_env.filters['reverse'] = reverse_filter

In case of the decorator the argument is optional if you want to use thefunction name as name of the filter. Once registered, you can use the filterin your templates in the same way as Jinja2’s builtin filters, for example ifyou have a Python list in context called mylist:

  1. {% for x in mylist | reverse %}
  2. {% endfor %}

Context Processors

To inject new variables automatically into the context of a template,context processors exist in Flask. Context processors run before thetemplate is rendered and have the ability to inject new values into thetemplate context. A context processor is a function that returns adictionary. The keys and values of this dictionary are then merged withthe template context, for all templates in the app:

  1. @app.context_processordef inject_user(): return dict(user=g.user)

The context processor above makes a variable called user available inthe template with the value of g.user. This example is not veryinteresting because g is available in templates anyways, but it gives anidea how this works.

Variables are not limited to values; a context processor can also makefunctions available to templates (since Python allows passing aroundfunctions):

  1. @app.context_processordef utility_processor(): def format_price(amount, currency=u'€'): return u'{0:.2f}{1}'.format(amount, currency) return dict(format_price=format_price)

The context processor above makes the format_price function available to alltemplates:

  1. {{ format_price(0.33) }}

You could also build format_price as a template filter (seeRegistering Filters), but this demonstrates how to pass functions in acontext processor.