Automated merge with ssh://team@pocoo.org/jinja2-main
[jinja2.git] / docs / templates.rst
1 Template Designer Documentation
2 ===============================
3
4 .. highlight:: html+jinja
5
6 This document describes the syntax and semantics of the template engine and
7 will be most useful as reference to those creating Jinja templates.  As the
8 template engine is very flexible the configuration from the application might
9 be slightly different from here in terms of delimiters and behavior of
10 undefined values.
11
12
13 Synopsis
14 --------
15
16 A template is simply a text file.  It can generate any text-based format
17 (HTML, XML, CSV, LaTeX, etc.).  It doesn't have a specific extension,
18 ``.html`` or ``.xml`` are just fine.
19
20 A template contains **variables** or **expressions**, which get replaced with
21 values when the template is evaluated, and tags, which control the logic of
22 the template.  The template syntax is heavily inspired by Django and Python.
23
24 Below is a minimal template that illustrates a few basics.  We will cover
25 the details later in that document::
26
27     <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN">
28     <html lang="en">
29     <head>
30         <title>My Webpage</title>
31     </head>
32     <body>
33         <ul id="navigation">
34         {% for item in navigation %}
35             <li><a href="{{ item.href }}">{{ item.caption }}</a></li>
36         {% endfor %}
37         </ul>
38
39         <h1>My Webpage</h1>
40         {{ a_variable }}
41     </body>
42     </html>
43
44 This covers the default settings.  The application developer might have
45 changed the syntax from ``{% foo %}`` to ``<% foo %>`` or something similar.
46
47 There are two kinds of delimiers. ``{% ... %}`` and ``{{ ... }}``.  The first
48 one is used to execute statements such as for-loops or assign values, the
49 latter prints the result of the expression to the template.
50
51 .. _variables:
52
53 Variables
54 ---------
55
56 The application passes variables to the templates you can mess around in the
57 template.  Variables may have attributes or elements on them you can access
58 too.  How a variable looks like, heavily depends on the application providing
59 those.
60
61 You can use a dot (``.``) to access attributes of a variable, alternative the
62 so-called "subscript" syntax (``[]``) can be used.  The following lines do
63 the same::
64
65     {{ foo.bar }}
66     {{ foo['bar'] }}
67
68 It's important to know that the curly braces are *not* part of the variable
69 but the print statement.  If you access variables inside tags don't put the
70 braces around.
71
72 If a variable or attribute does not exist you will get back an undefined
73 value.  What you can do with that kind of value depends on the application
74 configuration, the default behavior is that it evaluates to an empty string
75 if printed and that you can iterate over it, but every other operation fails.
76
77 .. _notes-on-subscriptions:
78
79 .. admonition:: Implementation
80
81     For convenience sake ``foo.bar`` in Jinja2 does the following things on
82     the Python layer:
83
84     -   check if there is an attribute called `bar` on `foo`.
85     -   if there is not, check if there is an item ``'bar'`` in `foo`.
86     -   if there is not, return an undefined object.
87
88     ``foo['bar']`` on the other hand works mostly the same with the a small
89     difference in the order:
90
91     -   check if there is an item ``'bar'`` in `foo`.
92     -   if there is not, check if there is an attribute called `bar` on `foo`.
93     -   if there is not, return an undefined object.
94
95     This is important if an object has an item or attribute with the same
96     name.  Additionally there is the :func:`attr` filter that just looks up
97     attributes.
98
99 .. _filters:
100
101 Filters
102 -------
103
104 Variables can by modified by **filters**.  Filters are separated from the
105 variable by a pipe symbol (``|``) and may have optional arguments in
106 parentheses.  Multiple filters can be chained.  The output of one filter is
107 applied to the next.
108
109 ``{{ name|striptags|title }}`` for example will remove all HTML Tags from the
110 `name` and title-cases it.  Filters that accept arguments have parentheses
111 around the arguments, like a function call.  This example will join a list
112 by spaces:  ``{{ list|join(', ') }}``.
113
114 The :ref:`builtin-filters` below describes all the builtin filters.
115
116 .. _tests:
117
118 Tests
119 -----
120
121 Beside filters there are also so called "tests" available.  Tests can be used
122 to test a variable against a common expression.  To test a variable or
123 expression you add `is` plus the name of the test after the variable.  For
124 example to find out if a variable is defined you can do ``name is defined``
125 which will then return true or false depending on if `name` is defined.
126
127 Tests can accept arguments too.  If the test only takes one argument you can
128 leave out the parentheses to group them.  For example the following two
129 expressions do the same::
130
131     {% if loop.index is divisibleby 3 %}
132     {% if loop.index is divisibleby(3) %}
133
134 The :ref:`builtin-tests` below describes all the builtin tests.
135
136
137 Comments
138 --------
139
140 To comment-out part of a line in a template, use the comment syntax which is
141 by default set to ``{# ... #}``.  This is useful to comment out parts of the
142 template for debugging or to add information for other template designers or
143 yourself::
144
145     {# note: disabled template because we no longer user this
146         {% for user in users %}
147             ...
148         {% endfor %}
149     #}
150
151
152 Whitespace Control
153 ------------------
154
155 In the default configuration whitespace is not further modified by the
156 template engine, so each whitespace (spaces, tabs, newlines etc.) is returned
157 unchanged.  If the application configures Jinja to `trim_blocks` the first
158 newline after a a template tag is removed automatically (like in PHP).
159
160 But you can also strip whitespace in templates by hand.  If you put an minus
161 sign (``-``) to the start or end of an block (for example a for tag), a
162 comment or variable expression you can remove the whitespaces after or before
163 that block::
164
165     {% for item in seq -%}
166         {{ item }}
167     {%- endfor %}
168     
169 This will yield all elements without whitespace between them.  If `seq` was
170 a list of numbers from ``1`` to ``9`` the output would be ``123456789``.
171
172 If :ref:`line-statements` are enabled they strip leading whitespace
173 automatically up to the beginning of the line.
174
175 .. admonition:: Note
176
177     You must not use a whitespace between the tag and the minus sign.
178
179     **valid**::
180
181         {%- if foo -%}...{% endif %}
182
183     **invalid**::
184
185         {% - if foo - %}...{% endif %}
186
187
188 Escaping
189 --------
190
191 It is sometimes desirable or even necessary to have Jinja ignore parts it
192 would otherwise handle as variables or blocks.  For example if the default
193 syntax is used and you want to use ``{{`` as raw string in the template and
194 not start a variable you have to use a trick.
195
196 The easiest way is to output the variable delimiter (``{{``) by using a
197 variable expression::
198
199     {{ '{{' }}
200
201 For bigger sections it makes sense to mark a block `raw`.  For example to
202 put Jinja syntax as example into a template you can use this snippet::
203
204     {% raw %}
205         <ul>
206         {% for item in seq %}
207             <li>{{ item }}</li>
208         {% endfor %}
209         </ul>
210     {% endraw %}
211
212
213 .. _line-statements:
214
215 Line Statements
216 ---------------
217
218 If line statements are enabled by the application it's possible to mark a
219 line as a statement.  For example if the line statement prefix is configured
220 to ``#`` the following two examples are equivalent::
221
222     <ul>
223     # for item in seq
224         <li>{{ item }}</li>
225     # endfor
226     </ul>
227
228     <ul>
229     {% for item in seq %}
230         <li>{{ item }}</li>
231     {% endfor %}
232     </ul>
233
234 The line statement prefix can appear anywhere on the line as long as no text
235 precedes it.  For better readability statements that start a block (such as
236 `for`, `if`, `elif` etc.) may end with a colon::
237
238     # for item in seq:
239         ...
240     # endfor
241
242
243 .. admonition:: Note
244
245     Line statements can span multiple lines if there are open parentheses,
246     braces or brackets::
247
248         <ul>
249         # for href, caption in [('index.html', 'Index'),
250                                 ('about.html', 'About')]:
251             <li><a href="{{ href }}">{{ caption }}</a></li>
252         # endfor
253         </ul>
254
255
256 .. _template-inheritance:
257
258 Template Inheritance
259 --------------------
260
261 The most powerful part of Jinja is template inheritance. Template inheritance
262 allows you to build a base "skeleton" template that contains all the common
263 elements of your site and defines **blocks** that child templates can override.
264
265 Sounds complicated but is very basic. It's easiest to understand it by starting
266 with an example.
267
268
269 Base Template
270 ~~~~~~~~~~~~~
271
272 This template, which we'll call ``base.html``, defines a simple HTML skeleton
273 document that you might use for a simple two-column page. It's the job of
274 "child" templates to fill the empty blocks with content::
275
276     <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN">
277     <html lang="en">
278     <html xmlns="http://www.w3.org/1999/xhtml">
279     <head>
280         {% block head %}
281         <link rel="stylesheet" href="style.css" />
282         <title>{% block title %}{% endblock %} - My Webpage</title>
283         {% endblock %}
284     </head>
285     <body>
286         <div id="content">{% block content %}{% endblock %}</div>
287         <div id="footer">
288             {% block footer %}
289             &copy; Copyright 2008 by <a href="http://domain.invalid/">you</a>.
290             {% endblock %}
291         </div>
292     </body>
293
294 In this example, the ``{% block %}`` tags define four blocks that child templates
295 can fill in. All the `block` tag does is to tell the template engine that a
296 child template may override those portions of the template.
297
298 Child Template
299 ~~~~~~~~~~~~~~
300
301 A child template might look like this::
302
303     {% extends "base.html" %}
304     {% block title %}Index{% endblock %}
305     {% block head %}
306         {{ super() }}
307         <style type="text/css">
308             .important { color: #336699; }
309         </style>
310     {% endblock %}
311     {% block content %}
312         <h1>Index</h1>
313         <p class="important">
314           Welcome on my awsome homepage.
315         </p>
316     {% endblock %}
317
318 The ``{% extends %}`` tag is the key here. It tells the template engine that
319 this template "extends" another template.  When the template system evaluates
320 this template, first it locates the parent.  The extends tag should be the
321 first tag in the template.  Everything before it is printed out normally and
322 may cause confusion.  For details about this behavior and how to take
323 advantage of it, see :ref:`null-master-fallback`.
324
325 The filename of the template depends on the template loader.  For example the
326 :class:`FileSystemLoader` allows you to access other templates by giving the
327 filename.  You can access templates in subdirectories with an slash::
328
329     {% extends "layout/default.html" %}
330
331 But this behavior can depend on the application embedding Jinja.  Note that
332 since the child template doesn't define the ``footer`` block, the value from
333 the parent template is used instead.
334
335 You can't define multiple ``{% block %}`` tags with the same name in the
336 same template.  This limitation exists because a block tag works in "both"
337 directions.  That is, a block tag doesn't just provide a hole to fill - it
338 also defines the content that fills the hole in the *parent*.  If there
339 were two similarly-named ``{% block %}`` tags in a template, that template's
340 parent wouldn't know which one of the blocks' content to use.
341
342 If you want to print a block multiple times you can however use the special
343 `self` variable and call the block with that name::
344
345     <title>{% block title %}{% endblock %}</title>
346     <h1>{{ self.title() }}</h1>
347     {% block body %}{% endblock %}
348
349
350 Unlike Python Jinja does not support multiple inheritance.  So you can only have
351 one extends tag called per rendering.
352
353
354 Super Blocks
355 ~~~~~~~~~~~~
356
357 It's possible to render the contents of the parent block by calling `super`.
358 This gives back the results of the parent block::
359
360     {% block sidebar %}
361         <h3>Table Of Contents</h3>
362         ...
363         {{ super() }}
364     {% endblock %}
365
366
367 Named Block End-Tags
368 ~~~~~~~~~~~~~~~~~~~~
369
370 Jinja2 allows you to put the name of the block after the end tag for better
371 readability::
372
373     {% block sidebar %}
374         {% block inner_sidebar %}
375             ...
376         {% endblock inner_sidebar %}
377     {% endblock sidebar %}
378
379 However the name after the `endblock` word must match the block name.
380
381
382 HTML Escaping
383 -------------
384
385 When generating HTML from templates, there's always a risk that a variable will
386 include characters that affect the resulting HTML.  There are two approaches:
387 manually escaping each variable or automatically escaping everything by default.
388
389 Jinja supports both, but what is used depends on the application configuration.
390 The default configuaration is no automatic escaping for various reasons:
391
392 -   escaping everything except of safe values will also mean that Jinja is
393     escaping variables known to not include HTML such as numbers which is
394     a huge performance hit.
395
396 -   The information about the safety of a variable is very fragile.  It could
397     happen that by coercing safe and unsafe values the return value is double
398     escaped HTML.
399
400 Working with Manual Escaping
401 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~
402
403 If manual escaping is enabled it's **your** responsibility to escape
404 variables if needed.  What to escape?  If you have a variable that *may*
405 include any of the following chars (``>``, ``<``, ``&``, or ``"``) you
406 **have to** escape it unless the variable contains well-formed and trusted
407 HTML.  Escaping works by piping the variable through the ``|e`` filter:
408 ``{{ user.username|e }}``.
409
410 Working with Automatic Escaping
411 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
412
413 When automatic escaping is enabled everything is escaped by default except
414 for values explicitly marked as safe.  Those can either be marked by the
415 application or in the template by using the `|safe` filter.  The main
416 problem with this approach is that Python itself doesn't have the concept
417 of tainted values so the information if a value is safe or unsafe can get
418 lost.  If the information is lost escaping will take place which means that
419 you could end up with double escaped contents.
420
421 Double escaping is easy to avoid however, just rely on the tools Jinja2
422 provides and don't use builtin Python constructs such as the string modulo
423 operator.
424
425 Functions returning template data (macros, `super`, `self.BLOCKNAME`) return
426 safe markup always.
427
428 String literals in templates with automatic escaping are considered unsafe
429 too.  The reason for this is that the safe string is an extension to Python
430 and not every library will work properly with it.
431
432
433 List of Control Structures
434 --------------------------
435
436 A control structure refers to all those things that control the flow of a
437 program - conditionals (i.e. if/elif/else), for-loops, as well as things like
438 macros and blocks.  Control structures appear inside ``{% ... %}`` blocks
439 in the default syntax.
440
441 For
442 ~~~
443
444 Loop over each item in a sequence.  For example, to display a list of users
445 provided in a variable called `users`::
446
447     <h1>Members</h1>
448     <ul>
449     {% for user in users %}
450       <li>{{ user.username|e }}</li>
451     {% endfor %}
452     </ul>
453
454 Inside of a for loop block you can access some special variables:
455
456 +-----------------------+---------------------------------------------------+
457 | Variable              | Description                                       |
458 +=======================+===================================================+
459 | `loop.index`          | The current iteration of the loop. (1 indexed)    |
460 +-----------------------+---------------------------------------------------+
461 | `loop.index0`         | The current iteration of the loop. (0 indexed)    |
462 +-----------------------+---------------------------------------------------+
463 | `loop.revindex`       | The number of iterations from the end of the loop |
464 |                       | (1 indexed)                                       |
465 +-----------------------+---------------------------------------------------+
466 | `loop.revindex0`      | The number of iterations from the end of the loop |
467 |                       | (0 indexed)                                       |
468 +-----------------------+---------------------------------------------------+
469 | `loop.first`          | True if first iteration.                          |
470 +-----------------------+---------------------------------------------------+
471 | `loop.last`           | True if last iteration.                           |
472 +-----------------------+---------------------------------------------------+
473 | `loop.length`         | The number of items in the sequence.              |
474 +-----------------------+---------------------------------------------------+
475 | `loop.cycle`          | A helper function to cycle between a list of      |
476 |                       | sequences.  See the explanation below.            |
477 +-----------------------+---------------------------------------------------+
478
479 Within a for-loop, it's possible to cycle among a list of strings/variables
480 each time through the loop by using the special `loop.cycle` helper::
481
482     {% for row in rows %}
483         <li class="{{ loop.cycle('odd', 'even') }}">{{ row }}</li>
484     {% endfor %}
485
486 .. _loop-filtering:
487
488 Unlike in Python it's not possible to `break` or `continue` in a loop.  You
489 can however filter the sequence during iteration which allows you to skip
490 items.  The following example skips all the users which are hidden::
491
492     {% for user in users if not user.hidden %}
493         <li>{{ user.username|e }}</li>
494     {% endfor %}
495
496 The advantage is that the special `loop` variable will count correctly thus
497 not counting the users not iterated over.
498
499 If no iteration took place because the sequence was empty or the filtering
500 removed all the items from the sequence you can render a replacement block
501 by using `else`::
502
503     <ul>
504     {% for user in users %}
505         <li>{{ user.username|e }}</li>
506     {% else %}
507         <li><em>no users found</em></li>
508     {% endif %}
509     </ul>
510
511 It is also possible to use loops recursively.  This is useful if you are
512 dealing with recursive data such as sitemaps.  To use loops recursively you
513 basically have to add the `recursive` modifier to the loop definition and
514 call the `loop` variable with the new iterable where you want to recurse.
515
516 The following example implements a sitemap with recursive loops::
517
518     <ul class="sitemap">
519     {%- for item in sitemap recursive %}
520         <li><a href="{{ item.href|e }}">{{ item.title }}</a>
521         {%- if item.children -%}
522             <ul class="submenu">{{ loop(item.children) }}</ul>
523         {%- endif %}</li>
524     {%- endfor %}
525     </ul>
526
527
528 If
529 ~~
530
531 The `if` statement in Jinja is comparable with the if statements of Python.
532 In the simplest form you can use it to test if a variable is defined, not
533 empty or not false::
534
535     {% if users %}
536     <ul>
537     {% for user in users %}
538         <li>{{ user.username|e }}</li>
539     {% endfor %}
540     </ul>
541     {% endif %}
542
543 For multiple branches `elif` and `else` can be used like in Python.  You can
544 use more complex :ref:`expressions` there too::
545
546     {% if kenny.sick %}
547         Kenny is sick.
548     {% elif kenny.dead %}
549         You killed Kenny!  You bastard!!!
550     {% else %}
551         Kenny looks okay --- so far
552     {% endif %}
553
554 If can also be used as :ref:`inline expression <if-expression>` and for
555 :ref:`loop filtering <loop-filtering>`.
556
557
558 Macros
559 ~~~~~~
560
561 Macros are comparable with functions in regular programming languages.  They
562 are useful to put often used idioms into reusable functions to not repeat
563 yourself.
564
565 Here a small example of a macro that renders a form element::
566
567     {% macro input(name, value='', type='text', size=20) -%}
568         <input type="{{ type }}" name="{{ name }}" value="{{
569             value|e }}" size="{{ size }}">
570     {%- endmacro %}
571
572 The macro can then be called like a function in the namespace::
573
574     <p>{{ input('username') }}</p>
575     <p>{{ input('password', type='password') }}</p>
576
577 If the macro was defined in a different template you have to
578 :ref:`import <import>` it first.
579
580 Inside macros you have access to three special variables:
581
582 `varargs`
583     If more positional arguments are passed to the macro than accepted by the
584     macro they end up in the special `varargs` variable as list of values.
585
586 `kwargs`
587     Like `varargs` but for keyword arguments.  All unconsumed keyword
588     arguments are stored in this special variable.
589
590 `caller`
591     If the macro was called from a :ref:`call<call>` tag the caller is stored
592     in this variable as macro which can be called.
593
594 Macros also expose some of their internal details.  The following attributes
595 are available on a macro object:
596
597 `name`
598     The name of the macro.  ``{{ input.name }}`` will print ``input``.
599
600 `arguments`
601     A tuple of the names of arguments the macro accepts.
602
603 `defaults`
604     A tuple of default values.
605
606 `catch_kwargs`
607     This is `true` if the macro accepts extra keyword arguments (ie: accesses
608     the special `kwargs` variable).
609
610 `catch_varargs`
611     This is `true` if the macro accepts extra positional arguments (ie:
612     accesses the special `varargs` variable).
613
614 `caller`
615     This is `true` if the macro accesses the special `caller` variable and may
616     be called from a :ref:`call<call>` tag.
617
618
619 .. _call:
620
621 Call
622 ~~~~
623
624 In some cases it can be useful to pass a macro to another macro.  For this
625 purpose you can use the special `call` block.  The following example shows
626 a macro that takes advantage of the call functionality and how it can be
627 used::
628
629     {% macro render_dialog(title, class='dialog') -%}
630         <div class="{{ class }}">
631             <h2>{{ title }}</h2>
632             <div class="contents">
633                 {{ caller() }}
634             </div>
635         </div>
636     {%- endmacro %}
637
638     {% call render_dialog('Hello World') %}
639         This is a simple dialog rendered by using a macro and
640         a call block.
641     {% endcall %}
642
643 It's also possible to pass arguments back to the call block.  This makes it
644 useful as replacement for loops.  Generally speaking a call block works
645 exactly like an macro, just that it doesn't have a name.
646
647 Here an example of how a call block can be used with arguments::
648
649     {% macro dump_users(users) -%}
650         <ul>
651         {%- for user in users %}
652             <li><p>{{ user.username|e }}</p>{{ caller(user) }}</li>
653         {%- endfor %}
654         </ul>
655     {%- endmacro %}
656
657     {% call(user) dump_users(list_of_user) %}
658         <dl>
659             <dl>Realname</dl>
660             <dd>{{ user.realname|e }}</dd>
661             <dl>Description</dl>
662             <dd>{{ user.description }}</dd>
663         </dl>
664     {% endcall %}
665
666
667 Filters
668 ~~~~~~~
669
670 Filter sections allow you to apply regular Jinja2 filters on a block of
671 template data.  Just wrap the code in the special `filter` section::
672
673     {% filter upper %}
674         This text becomes uppercase
675     {% endfilter %}
676
677
678 Assignments
679 ~~~~~~~~~~~
680
681 Inside code blocks you can also assign values to variables.  Assignments at
682 top level (outside of blocks, macros or loops) are exported from the template
683 like top level macros and can be imported by other templates.
684
685 Assignments use the `set` tag and can have multiple targets::
686
687     {% set navigation = [('index.html', 'Index'), ('about.html', 'About')] %}
688     {% set key, value = call_something() %}
689
690
691 Extends
692 ~~~~~~~
693
694 The `extends` tag can be used to extend a template from another one.  You
695 can have multiple of them in a file but only one of them may be executed
696 at the time.  There is no support for multiple inheritance.  See the section
697 about :ref:`template-inheritance` above.
698
699
700 Block
701 ~~~~~
702
703 Blocks are used for inheritance and act as placeholders and replacements
704 at the same time.  They are documented in detail as part of the section
705 about :ref:`template-inheritance`.
706
707
708 Include
709 ~~~~~~~
710
711 The `include` statement is useful to include a template and return the
712 rendered contents of that file into the current namespace::
713
714     {% include 'header.html' %}
715         Body
716     {% include 'footer.html' %}
717
718 Included templates have access to the variables of the active context by
719 default.  For more details about context behavior of imports and includes
720 see :ref:`import-visibility`.
721
722 .. _import:
723
724 Import
725 ~~~~~~
726
727 Jinja2 supports putting often used code into macros.  These macros can go into
728 different templates and get imported from there.  This works similar to the
729 import statements in Python.  It's important to know that imports are cached
730 and imported templates don't have access to the current template variables,
731 just the globals by defualt.  For more details about context behavior of
732 imports and includes see :ref:`import-visibility`.
733
734 There are two ways to import templates.  You can import the complete template
735 into a variable or request specific macros / exported variables from it.
736
737 Imagine we have a helper module that renders forms (called `forms.html`)::
738
739     {% macro input(name, value='', type='text') -%}
740         <input type="{{ type }}" value="{{ value|e }}" name="{{ name }}">
741     {%- endmacro %}
742
743     {%- macro textarea(name, value='', rows=10, cols=40) -%}
744         <textarea name="{{ name }}" rows="{{ rows }}" cols="{{ cols
745             }}">{{ value|e }}</textarea>
746     {%- endmacro %}
747
748 The easiest and most flexible is importing the whole module into a variable.
749 That way you can access the attributes::
750
751     {% import 'forms.html' as forms %}
752     <dl>
753         <dt>Username</dt>
754         <dd>{{ forms.input('username') }}</dd>
755         <dt>Password</dt>
756         <dd>{{ forms.input('password', type='password') }}</dd>
757     </dl>
758     <p>{{ forms.textarea('comment') }}</p>
759
760
761 Alternatively you can import names from the template into the current
762 namespace::
763
764     {% from 'forms.html' import input as input_field, textarea %}
765     <dl>
766         <dt>Username</dt>
767         <dd>{{ input_field('username') }}</dd>
768         <dt>Password</dt>
769         <dd>{{ input_field('password', type='password') }}</dd>
770     </dl>
771     <p>{{ textarea('comment') }}</p>
772
773 Macros and variables starting with one ore more underscores are private and
774 cannot be imported.
775
776
777 .. _import-visibility:
778
779 Import Context Behavior
780 -----------------------
781
782 Per default included templates are passed the current context and imported
783 templates not.  The reason for this is that imports unlike includes are
784 cached as imports are often used just as a module that holds macros.
785
786 This however can be changed of course explicitly.  By adding `with context`
787 or `without context` to the import/include directive the current context
788 can be passed to the template and caching is disabled automatically.
789
790 Here two examples::
791
792     {% from 'forms.html' import input with context %}
793     {% include 'header.html' without context %}
794
795
796 .. _expressions:
797
798 Expressions
799 -----------
800
801 Jinja allows basic expressions everywhere.  These work very similar to regular
802 Python and even if you're not working with Python you should feel comfortable
803 with it.
804
805 Literals
806 ~~~~~~~~
807
808 The simplest form of expressions are literals.  Literals are representations
809 for Python objects such as strings and numbers.  The following literals exist:
810
811 "Hello World":
812     Everything between two double or single quotes is a string.  They are
813     useful whenever you need a string in the template (for example as
814     arguments to function calls, filters or just to extend or include a
815     template).
816
817 42 / 42.23:
818     Integers and floating point numbers are created by just writing the
819     number down.  If a dot is present the number is a float, otherwise an
820     integer.  Keep in mind that for Python ``42`` and ``42.0`` is something
821     different.
822
823 ['list', 'of', 'objects']:
824     Everything between two brackets is a list.  Lists are useful to store
825     sequential data in or to iterate over them.  For example you can easily
826     create a list of links using lists and tuples with a for loop::
827
828         <ul>
829         {% for href, caption in [('index.html', 'Index'), ('about.html', 'About'),
830                                  ('downloads.html', 'Downloads')] %}
831             <li><a href="{{ href }}">{{ caption }}</a></li>
832         {% endfor %}
833         </ul>
834
835 ('tuple', 'of', 'values'):
836     Tuples are like lists, just that you can't modify them.  If the tuple
837     only has one item you have to end it with a comma.  Tuples are usually
838     used to represent items of two or more elements.  See the example above
839     for more details.
840
841 {'dict': 'of', 'key': 'and', 'value': 'pairs'}:
842     A dict in Python is a structure that combines keys and values.  Keys must
843     be unique and always have exactly one value.  Dicts are rarely used in
844     templates, they are useful in some rare cases such as the :func:`xmlattr`
845     filter.
846
847 true / false:
848     true is always true and false is always false.
849
850 .. admonition:: Note
851
852     The special constants `true`, `false` and `none` are indeed lowercase.
853     Because that caused confusion in the past, when writing `True` expands
854     to an undefined variable that is considered false, all three of them can
855     be written in title case too (`True`, `False`, and `None`).  However for
856     consistency (all Jinja identifiers are lowercase) you should use the
857     lowercase versions.
858
859 Math
860 ~~~~
861
862 Jinja allows you to calculate with values.  This is rarely useful in templates
863 but exists for completeness sake.  The following operators are supported:
864
865 \+
866     Adds two objects with each other.  Usually numbers but if both objects are
867     strings or lists you can concatenate them this way.  This however is not
868     the preferred way to concatenate strings!  For string concatenation have
869     a look at the ``~`` operator.  ``{{ 1 + 1 }}`` is ``2``.
870
871 \-
872     Substract two numbers from each other.  ``{{ 3 - 2 }}`` is ``1``.
873
874 /
875     Divide two numbers.  The return value will be a floating point number.
876     ``{{ 1 / 2 }}`` is ``{{ 0.5 }}``.
877
878 //
879     Divide two numbers and return the truncated integer result.
880     ``{{ 20 / 7 }}`` is ``2``.
881
882 %
883     Calculate the remainder of an integer division between the left and right
884     operand.  ``{{ 11 % 7 }}`` is ``4``.
885
886 \*
887     Multiply the left operand with the right one.  ``{{ 2 * 2 }}`` would
888     return ``4``.  This can also be used to repeat string multiple times.
889     ``{{ '=' * 80 }}`` would print a bar of 80 equal signs.
890
891 \**
892     Raise the left operand to the power of the right operand.  ``{{ 2**3 }}``
893     would return ``8``.
894
895 Logic
896 ~~~~~
897
898 For `if` statements / `for` filtering or `if` expressions it can be useful to
899 combine group multiple expressions:
900
901 and
902     Return true if the left and the right operand is true.
903
904 or
905     Return true if the left or the right operand is true.
906
907 not
908     negate a statement (see below).
909
910 (expr)
911     group an expression.
912
913 .. admonition:: Note
914
915     The ``is`` and ``in`` operators support negation using an infix notation
916     too: ``foo is not bar`` and ``foo not in bar`` instead of ``not foo is bar``
917     and ``not foo in bar``.  All other expressions require a prefix notation:
918     ``not (foo and bar).``
919
920
921 Other Operators
922 ~~~~~~~~~~~~~~~
923
924 The following operators are very useful but don't fit into any of the other
925 two categories:
926
927 in
928     Perform sequence / mapping containment test.  Returns true if the left
929     operand is contained in the right.  ``{{ 1 in [1, 2, 3] }}`` would for
930     example return true.
931
932 is
933     Performs a :ref:`test <tests>`.
934
935 \|
936     Applies a :ref:`filter <filters>`.
937
938 ~
939     Converts all operands into strings and concatenates them.
940     ``{{ "Hello " ~ name ~ "!" }}`` would return (assuming `name` is
941     ``'John'``) ``Hello John!``.
942
943 ()
944     Call a callable: ``{{ post.render() }}``.  Inside of the parentheses you
945     can use arguments and keyword arguments like in python:
946     ``{{ post.render(user, full=true) }}``.
947
948 . / []
949     Get an attribute of an object.  (See :ref:`variables`)
950
951
952 .. _if-expression:
953
954 If Expression
955 ~~~~~~~~~~~~~
956
957 It is also possible to use inline `if` expressions.  These are useful in some
958 situations.  For example you can use this to extend from one template if a
959 variable is defined, otherwise from the default layout template::
960
961     {% extends layout_template if layout_template is defined else 'master.html' %}
962
963 The general syntax is ``<do something> if <something is true> else <do
964 something else>``.
965
966 The `else` part is optional.  If not provided the else block implicitly
967 evaluates into an undefined object::
968
969     {{ '[%s]' % page.title if page.title }}
970
971
972 .. _builtin-filters:
973
974 List of Builtin Filters
975 -----------------------
976
977 .. jinjafilters::
978
979
980 .. _builtin-tests:
981
982 List of Builtin Tests
983 ---------------------
984
985 .. jinjatests::
986
987
988 List of Global Functions
989 ------------------------
990
991 The following functions are available in the global scope by default:
992
993 .. function:: range([start,] stop[, step])
994
995     Return a list containing an arithmetic progression of integers.
996     range(i, j) returns [i, i+1, i+2, ..., j-1]; start (!) defaults to 0.
997     When step is given, it specifies the increment (or decrement).
998     For example, range(4) returns [0, 1, 2, 3].  The end point is omitted!
999     These are exactly the valid indices for a list of 4 elements.
1000
1001     This is useful to repeat a template block multiple times for example
1002     to fill a list.  Imagine you have 7 users in the list but you want to
1003     render three empty items to enforce a height with CSS::
1004
1005         <ul>
1006         {% for user in users %}
1007             <li>{{ user.username }}</li>
1008         {% endfor %}
1009         {% for number in range(10 - users|count) %}
1010             <li class="empty"><span>...</span></li>
1011         {% endfor %}
1012         </ul>
1013
1014 .. function:: lipsum(n=5, html=True, min=20, max=100)
1015
1016     Generates some lorem ipsum for the template.  Per default five paragraphs
1017     with HTML are generated each paragraph between 20 and 100 words.  If html
1018     is disabled regular text is returned.  This is useful to generate simple
1019     contents for layout testing.
1020
1021 .. function:: dict(\**items)
1022
1023     A convenient alternative to dict literals.  ``{'foo': 'bar'}`` is the same
1024     as ``dict(foo='bar')``.
1025
1026
1027 Extensions
1028 ----------
1029
1030 The following sections cover the built-in Jinja2 extensions that may be
1031 enabled by the application.  The application could also provide further
1032 extensions not covered by this documentation.  In that case there should
1033 be a separate document explaining the extensions.
1034
1035 .. _i18n-in-templates:
1036
1037 i18n
1038 ~~~~
1039
1040 If the i18n extension is enabled it's possible to mark parts in the template
1041 as translatable.  To mark a section as translatable you can use `trans`::
1042
1043     <p>{% trans %}Hello {{ user }}!{% endtrans %}</p>
1044
1045 To translate a template expression --- say, using template filters or just
1046 accessing an attribute of an object --- you need to bind the expression to a
1047 name for use within the translation block::
1048
1049     <p>{% trans user=user.username %}Hello {{ user }}!{% endtrans %}</p>
1050
1051 If you need to bind more than one expression inside a `trans` tag, separate
1052 the pieces with a comma (``,``)::
1053
1054     {% trans book_title=book.title, author=author.name %}
1055     This is {{ book_title }} by {{ author }}
1056     {% endtrans %}
1057
1058 Inside trans tags no statements are allowed, only variable tags are.
1059
1060 To pluralize, specify both the singular and plural forms with the `pluralize`
1061 tag, which appears between `trans` and `endtrans`::
1062
1063     {% trans count=list|length %}
1064     There is {{ count }} {{ name }} object.
1065     {% pluralize %}
1066     There are {{ count }} {{ name }} objects.
1067     {% endtrans %}
1068
1069 Per default the first variable in a block is used to determine the correct
1070 singular or plural form.  If that doesn't work out you can specify the name
1071 which should be used for pluralizing by adding it as parameter to `pluralize`::
1072
1073     {% trans ..., user_count=users|length %}...
1074     {% pluralize user_count %}...{% endtrans %}
1075
1076 It's also possible to translate strings in expressions.  For that purpose
1077 three functions exist:
1078
1079 _   `gettext`: translate a single string
1080 -   `ngettext`: translate a pluralizable string
1081 -   `_`: alias for `gettext`
1082
1083 For example you can print a translated string easily this way::
1084
1085     {{ _('Hello World!') }}
1086
1087 To use placeholders you can use the `format` filter::
1088
1089     {{ _('Hello %(user)s!')|format(user=user.username) }}
1090         or
1091     {{ _('Hello %s')|format(user.username) }}
1092
1093 For multiple placeholders always use keyword arguments to `format` as other
1094 languages may not use the words in the same order.
1095
1096
1097 Expression Statement
1098 ~~~~~~~~~~~~~~~~~~~~
1099
1100 If the expression-statement extension is loaded a tag called `do` is available
1101 that works exactly like the regular variable expression (``{{ ... }}``) just
1102 that it doesn't print anything.  This can be used to modify lists::
1103
1104     {% do navigation.append('a string') %}
1105
1106
1107 Loop Controls
1108 ~~~~~~~~~~~~~
1109
1110 If the application enables the :ref:`loopcontrols-extension` it's possible to
1111 use `break` and `continue` in loops.  When `break` is reached, the loop is
1112 terminated, if `continue` is eached the processing is stopped and continues
1113 with the next iteration.
1114
1115 Here a loop that skips every second item::
1116
1117     {% for user in users %}
1118         {%- if loop.index is even %}{% continue %}{% endif %}
1119         ...
1120     {% endfor %}
1121
1122 Likewise a look that stops processing after the 10th iteration::
1123
1124     {% for user in users %}
1125         {%- if loop.index >= 10 %}{% break %}{% endif %}
1126     {%- endfor %}