blob: b939eaa47a540c58e43d366f352c409021dee4ed [file] [log] [blame]
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +02001API
2===
3
4.. module:: jinja2
5 :synopsis: public Jinja2 API
6
7This document describes the API to Jinja2 and not the template language. It
8will be most useful as reference to those implementing the template interface
9to the application and not those who are creating Jinja2 templates.
10
11Basics
12------
13
14Jinja2 uses a central object called the template :class:`Environment`.
15Instances of this class are used to store the configuration, global objects
16and are used to load templates from the file system or other locations.
17Even if you are creating templates from string by using the constructor of
Armin Ronacher61a5a242008-05-26 12:07:44 +020018:class:`Template` class, an environment is created automatically for you,
19albeit a shared one.
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +020020
21Most applications will create one :class:`Environment` object on application
22initialization and use that to load templates. In some cases it's however
23useful to have multiple environments side by side, if different configurations
24are in use.
25
26The simplest way to configure Jinja2 to load templates for your application
27looks roughly like this::
28
29 from jinja2 import Environment, PackageLoader
30 env = Environment(loader=PackageLoader('yourapplication', 'templates'))
31
32This will create a template environment with the default settings and a
33loader that looks up the templates in the `templates` folder inside the
34`yourapplication` python package. Different loaders are available
35and you can also write your own if you want to load templates from a
36database or other resources.
37
38To load a template from this environment you just have to call the
39:meth:`get_template` method which then returns the loaded :class:`Template`::
40
41 template = env.get_template('mytemplate.html')
42
43To render it with some variables, just call the :meth:`render` method::
44
45 print template.render(the='variables', go='here')
46
Armin Ronacher61a5a242008-05-26 12:07:44 +020047Using a template loader rather then passing strings to :class:`Template`
48or :meth:`Environment.from_string` has multiple advantages. Besides being
49a lot easier to use it also enables template inheritance.
50
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +020051
Armin Ronacherf3c35c42008-05-23 23:18:14 +020052Unicode
53-------
54
55Jinja2 is using unicode internally which means that you have to pass unicode
56objects to the render function or bytestrings that only consist of ASCII
57characters. Additionally newlines are normalized to one end of line
58sequence which is per default UNIX style (``\n``).
59
Armin Ronacher61a5a242008-05-26 12:07:44 +020060Python 2.x supports two ways of representing string objects. One is the
61`str` type and the other is the `unicode` type, both of which extend a type
62called `basestring`. Unfortunately the default is `str` which should not
63be used to store text based information unless only ASCII characters are
64used. With Python 2.6 it is possible to my `unicode` the default on a per
65module level and with Python 3 it will be the default.
66
67To explicitly use a unicode string you have to prefix the string literal
68with a `u`: ``u'Hänsel und Gretel sagen Hallo'``. That way Python will
69store the string as unicode by decoding the string with the character
70encoding from the current Python module. If no encoding is specified this
71defaults to 'ASCII' which means that you can't use any non ASCII identifier.
72
73To set a better module encoding add the following comment to the first or
74second line of the Python module using the unicode literal::
75
76 # -*- coding: utf-8 -*-
77
78We recommend utf-8 as Encoding for Python modules and templates as it's
79possible to represent every Unicode character in utf-8 and because it's
80backwards compatible to ASCII. For Jinja2 the default encoding of templates
81is assumed to be utf-8.
82
83It is not possible to use Jinja2 to process non unicode data. The reason
84for this is that Jinja2 uses Unicode already on the language level. For
85example Jinja2 treats the non-breaking space as valid whitespace inside
86expressions which requires knowledge of the encoding or operating on an
87unicode string.
88
89For more details about unicode in Python have a look at the excellent
90`Unicode documentation`_.
91
Armin Ronacher58f351d2008-05-28 21:30:14 +020092Another important thing is how Jinja2 is handling string literals in
93templates. A naive implementation would be using unicode strings for
94all string literals but it turned out in the past that this is problematic
95as some libraries are typechecking against `str` explicitly. For example
96`datetime.strftime` does not accept unicode arguments. To not break it
97completely Jinja2 is returning `str` for strings that fit into ASCII and
98for everything else `unicode`:
99
100>>> m = Template(u"{% set a, b = 'foo', 'föö' %}").module
101>>> m.a
102'foo'
103>>> m.b
104u'f\xf6\xf6'
105
Armin Ronacher61a5a242008-05-26 12:07:44 +0200106
107.. _Unicode documentation: http://docs.python.org/dev/howto/unicode.html
Armin Ronacherf3c35c42008-05-23 23:18:14 +0200108
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200109High Level API
110--------------
111
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200112The high-level API is the API you will use in the application to load and
113render Jinja2 templates. The :ref:`low-level-api` on the other side is only
114useful if you want to dig deeper into Jinja2 or :ref:`develop extensions
115<jinja-extensions>`.
116
Armin Ronacher5411ce72008-05-25 11:36:22 +0200117.. autoclass:: Environment([options])
118 :members: from_string, get_template, join_path, extend
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200119
120 .. attribute:: shared
121
122 If a template was created by using the :class:`Template` constructor
123 an environment is created automatically. These environments are
124 created as shared environments which means that multiple templates
125 may have the same anonymous environment. For all shared environments
126 this attribute is `True`, else `False`.
127
128 .. attribute:: sandboxed
129
130 If the environment is sandboxed this attribute is `True`. For the
131 sandbox mode have a look at the documentation for the
132 :class:`~jinja2.sandbox.SandboxedEnvironment`.
133
134 .. attribute:: filters
135
136 A dict of filters for this environment. As long as no template was
Armin Ronacher7259c762008-04-30 13:03:59 +0200137 loaded it's safe to add new filters or remove old. For custom filters
Armin Ronacherd1ff8582008-05-11 00:30:43 +0200138 see :ref:`writing-filters`. For valid filter names have a look at
139 :ref:`identifier-naming`.
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200140
141 .. attribute:: tests
142
Lukas Meuserad48a2e2008-05-01 18:19:57 +0200143 A dict of test functions for this environment. As long as no
144 template was loaded it's safe to modify this dict. For custom tests
Armin Ronacherd1ff8582008-05-11 00:30:43 +0200145 see :ref:`writing-tests`. For valid test names have a look at
146 :ref:`identifier-naming`.
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200147
148 .. attribute:: globals
149
150 A dict of global variables. These variables are always available
Armin Ronacher981cbf62008-05-13 09:12:27 +0200151 in a template. As long as no template was loaded it's safe
Armin Ronacher7259c762008-04-30 13:03:59 +0200152 to modify this dict. For more details see :ref:`global-namespace`.
Armin Ronacherd1ff8582008-05-11 00:30:43 +0200153 For valid object names have a look at :ref:`identifier-naming`.
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200154
Armin Ronachered98cac2008-05-07 08:42:11 +0200155 .. automethod:: overlay([options])
156
Armin Ronacher58f351d2008-05-28 21:30:14 +0200157 .. method:: undefined([hint, obj, name, exc])
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200158
Armin Ronacher5411ce72008-05-25 11:36:22 +0200159 Creates a new :class:`Undefined` object for `name`. This is useful
160 for filters or functions that may return undefined objects for
161 some operations. All parameters except of `hint` should be provided
162 as keyword parameters for better readability. The `hint` is used as
163 error message for the exception if provided, otherwise the error
164 message generated from `obj` and `name` automatically. The exception
165 provided as `exc` is raised if something with the generated undefined
166 object is done that the undefined object does not allow. The default
167 exception is :exc:`UndefinedError`. If a `hint` is provided the
168 `name` may be ommited.
169
170 The most common way to create an undefined object is by providing
171 a name only::
172
173 return environment.undefined(name='some_name')
174
175 This means that the name `some_name` is not defined. If the name
176 was from an attribute of an object it makes sense to tell the
177 undefined object the holder object to improve the error message::
178
179 if not hasattr(obj, 'attr'):
180 return environment.undefined(obj=obj, name='attr')
181
182 For a more complex example you can provide a hint. For example
183 the :func:`first` filter creates an undefined object that way::
184
185 return environment.undefined('no first item, sequence was empty')
186
187 If it the `name` or `obj` is known (for example because an attribute
188 was accessed) it shold be passed to the undefined object, even if
189 a custom `hint` is provided. This gives undefined objects the
190 possibility to enhance the error message.
191
192.. autoclass:: Template
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200193 :members: module, make_module
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200194
Armin Ronacher7259c762008-04-30 13:03:59 +0200195 .. attribute:: globals
196
Armin Ronachered98cac2008-05-07 08:42:11 +0200197 The dict with the globals of that template. It's unsafe to modify
198 this dict as it may be shared with other templates or the environment
199 that loaded the template.
Armin Ronacher7259c762008-04-30 13:03:59 +0200200
201 .. attribute:: name
202
Armin Ronachered98cac2008-05-07 08:42:11 +0200203 The loading name of the template. If the template was loaded from a
204 string this is `None`.
205
Armin Ronacher5411ce72008-05-25 11:36:22 +0200206 .. attribute:: filename
207
208 The filename of the template on the file system if it was loaded from
209 there. Otherwise this is `None`.
210
Armin Ronachered98cac2008-05-07 08:42:11 +0200211 .. automethod:: render([context])
212
213 .. automethod:: generate([context])
214
215 .. automethod:: stream([context])
Armin Ronacher7259c762008-04-30 13:03:59 +0200216
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200217
Armin Ronacher6df604e2008-05-23 22:18:38 +0200218.. autoclass:: jinja2.environment.TemplateStream()
Armin Ronacher74b51062008-06-17 11:28:59 +0200219 :members: disable_buffering, enable_buffering, dump
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200220
221
Armin Ronacherd1ff8582008-05-11 00:30:43 +0200222.. _identifier-naming:
223
224Notes on Identifiers
Armin Ronacher5411ce72008-05-25 11:36:22 +0200225--------------------
Armin Ronacherd1ff8582008-05-11 00:30:43 +0200226
227Jinja2 uses the regular Python 2.x naming rules. Valid identifiers have to
228match ``[a-zA-Z_][a-zA-Z0-9_]*``. As a matter of fact non ASCII characters
229are currently not allowed. This limitation will probably go away as soon as
230unicode identifiers are fully specified for Python 3.
231
232Filters and tests are looked up in separate namespaces and have slightly
233modified identifier syntax. Filters and tests may contain dots to group
234filters and tests by topic. For example it's perfectly valid to add a
235function into the filter dict and call it `to.unicode`. The regular
236expression for filter and test identifiers is
237``[a-zA-Z_][a-zA-Z0-9_]*(\.[a-zA-Z_][a-zA-Z0-9_]*)*```.
238
239
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200240Undefined Types
241---------------
242
243These classes can be used as undefined types. The :class:`Environment`
244constructor takes an `undefined` parameter that can be one of those classes
245or a custom subclass of :class:`Undefined`. Whenever the template engine is
246unable to look up a name or access an attribute one of those objects is
247created and returned. Some operations on undefined values are then allowed,
248others fail.
249
250The closest to regular Python behavior is the `StrictUndefined` which
251disallows all operations beside testing if it's an undefined object.
252
Armin Ronachera816bf42008-09-17 21:28:01 +0200253.. autoclass:: jinja2.Undefined()
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200254
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200255 .. attribute:: _undefined_hint
256
257 Either `None` or an unicode string with the error message for
258 the undefined object.
259
260 .. attribute:: _undefined_obj
261
262 Either `None` or the owner object that caused the undefined object
263 to be created (for example because an attribute does not exist).
264
265 .. attribute:: _undefined_name
266
267 The name for the undefined variable / attribute or just `None`
268 if no such information exists.
269
270 .. attribute:: _undefined_exception
271
272 The exception that the undefined object wants to raise. This
273 is usually one of :exc:`UndefinedError` or :exc:`SecurityError`.
274
275 .. method:: _fail_with_undefined_error(\*args, \**kwargs)
276
277 When called with any arguments this method raises
278 :attr:`_undefined_exception` with an error message generated
279 from the undefined hints stored on the undefined object.
280
Armin Ronachera816bf42008-09-17 21:28:01 +0200281.. autoclass:: jinja2.DebugUndefined()
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200282
Armin Ronachera816bf42008-09-17 21:28:01 +0200283.. autoclass:: jinja2.StrictUndefined()
Armin Ronacher5411ce72008-05-25 11:36:22 +0200284
285Undefined objects are created by calling :attr:`undefined`.
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200286
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200287.. admonition:: Implementation
288
289 :class:`Undefined` objects are implemented by overriding the special
290 `__underscore__` methods. For example the default :class:`Undefined`
291 class implements `__unicode__` in a way that it returns an empty
292 string, however `__int__` and others still fail with an exception. To
293 allow conversion to int by returning ``0`` you can implement your own::
294
295 class NullUndefined(Undefined):
296 def __int__(self):
297 return 0
298 def __float__(self):
299 return 0.0
300
301 To disallow a method, just override it and raise
Armin Ronacher58f351d2008-05-28 21:30:14 +0200302 :attr:`~Undefined._undefined_exception`. Because this is a very common
303 idom in undefined objects there is the helper method
304 :meth:`~Undefined._fail_with_undefined_error` that does the error raising
305 automatically. Here a class that works like the regular :class:`Undefined`
306 but chokes on iteration::
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200307
308 class NonIterableUndefined(Undefined):
309 __iter__ = Undefined._fail_with_undefined_error
310
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200311
Armin Ronacher7259c762008-04-30 13:03:59 +0200312The Context
313-----------
314
Armin Ronacher6df604e2008-05-23 22:18:38 +0200315.. autoclass:: jinja2.runtime.Context()
Armin Ronacherf35e2812008-05-06 16:04:10 +0200316 :members: resolve, get_exported, get_all
Armin Ronacher7259c762008-04-30 13:03:59 +0200317
318 .. attribute:: parent
319
320 A dict of read only, global variables the template looks up. These
Armin Ronacher19cf9c22008-05-01 12:49:53 +0200321 can either come from another :class:`Context`, from the
Armin Ronacher5411ce72008-05-25 11:36:22 +0200322 :attr:`Environment.globals` or :attr:`Template.globals` or points
323 to a dict created by combining the globals with the variables
324 passed to the render function. It must not be altered.
Armin Ronacher7259c762008-04-30 13:03:59 +0200325
326 .. attribute:: vars
327
328 The template local variables. This list contains environment and
329 context functions from the :attr:`parent` scope as well as local
330 modifications and exported variables from the template. The template
331 will modify this dict during template evaluation but filters and
332 context functions are not allowed to modify it.
333
334 .. attribute:: environment
335
336 The environment that loaded the template.
337
338 .. attribute:: exported_vars
339
340 This set contains all the names the template exports. The values for
341 the names are in the :attr:`vars` dict. In order to get a copy of the
342 exported variables as dict, :meth:`get_exported` can be used.
343
344 .. attribute:: name
345
346 The load name of the template owning this context.
347
348 .. attribute:: blocks
349
350 A dict with the current mapping of blocks in the template. The keys
351 in this dict are the names of the blocks, and the values a list of
352 blocks registered. The last item in each list is the current active
353 block (latest in the inheritance chain).
354
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200355 .. automethod:: jinja2.runtime.Context.call(callable, \*args, \**kwargs)
356
357
358.. admonition:: Implementation
359
360 Context is immutable for the same reason Python's frame locals are
361 immutable inside functions. Both Jinja2 and Python are not using the
362 context / frame locals as data storage for variables but only as primary
363 data source.
364
365 When a template accesses a variable the template does not define, Jinja2
366 looks up the variable in the context, after that the variable is treated
367 as if it was defined in the template.
368
Armin Ronacher7259c762008-04-30 13:03:59 +0200369
Armin Ronacher5cdc1ac2008-05-07 12:17:18 +0200370.. _loaders:
371
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200372Loaders
373-------
374
375Loaders are responsible for loading templates from a resource such as the
Armin Ronacher7259c762008-04-30 13:03:59 +0200376file system. The environment will keep the compiled modules in memory like
377Python's `sys.modules`. Unlike `sys.modules` however this cache is limited in
378size by default and templates are automatically reloaded.
Armin Ronachercda43df2008-05-03 17:10:05 +0200379All loaders are subclasses of :class:`BaseLoader`. If you want to create your
Armin Ronachercda43df2008-05-03 17:10:05 +0200380own loader, subclass :class:`BaseLoader` and override `get_source`.
381
Armin Ronachera816bf42008-09-17 21:28:01 +0200382.. autoclass:: jinja2.BaseLoader
Armin Ronachercda43df2008-05-03 17:10:05 +0200383 :members: get_source, load
384
385Here a list of the builtin loaders Jinja2 provides:
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200386
Armin Ronachera816bf42008-09-17 21:28:01 +0200387.. autoclass:: jinja2.FileSystemLoader
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200388
Armin Ronachera816bf42008-09-17 21:28:01 +0200389.. autoclass:: jinja2.PackageLoader
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200390
Armin Ronachera816bf42008-09-17 21:28:01 +0200391.. autoclass:: jinja2.DictLoader
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200392
Armin Ronachera816bf42008-09-17 21:28:01 +0200393.. autoclass:: jinja2.FunctionLoader
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200394
Armin Ronachera816bf42008-09-17 21:28:01 +0200395.. autoclass:: jinja2.PrefixLoader
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200396
Armin Ronachera816bf42008-09-17 21:28:01 +0200397.. autoclass:: jinja2.ChoiceLoader
398
399
400.. _bytecode-cache:
401
402Bytecode Cache
403--------------
404
405Jinja 2.1 and higher support external bytecode caching. Bytecode caches make
406it possible to store the generated bytecode on the file system or a different
407location to avoid parsing the templates on first use.
408
409This is especially useful if you have a web application that is initialized on
410the first request and Jinja compiles many templates at once which slows down
411the application.
412
413To use a bytecode cache, instanciate it and pass it to the :class:`Environment`.
414
415.. autoclass:: jinja2.BytecodeCache
416 :members: load_bytecode, dump_bytecode, clear
417
418.. autoclass:: jinja2.bccache.Bucket
419 :members: write_bytecode, load_bytecode, bytecode_from_string,
420 bytecode_to_string, reset
421
422 .. attribute:: environment
423
424 The :class:`Environment` that created the bucket.
425
426 .. attribute:: key
427
428 The unique cache key for this bucket
429
430 .. attribute:: code
431
432 The bytecode if it's loaded, otherwise `None`.
433
434
435Builtin bytecode caches:
436
437.. autoclass:: jinja2.FileSystemBytecodeCache
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200438
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200439
440Utilities
441---------
442
443These helper functions and classes are useful if you add custom filters or
444functions to a Jinja2 environment.
445
Armin Ronachera816bf42008-09-17 21:28:01 +0200446.. autofunction:: jinja2.environmentfilter
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200447
Armin Ronachera816bf42008-09-17 21:28:01 +0200448.. autofunction:: jinja2.contextfilter
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200449
Armin Ronachera816bf42008-09-17 21:28:01 +0200450.. autofunction:: jinja2.environmentfunction
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200451
Armin Ronachera816bf42008-09-17 21:28:01 +0200452.. autofunction:: jinja2.contextfunction
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200453
454.. function:: escape(s)
455
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200456 Convert the characters ``&``, ``<``, ``>``, ``'``, and ``"`` in string `s`
457 to HTML-safe sequences. Use this if you need to display text that might
458 contain such characters in HTML. This function will not escaped objects
459 that do have an HTML representation such as already escaped data.
460
461 The return value is a :class:`Markup` string.
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200462
Armin Ronachera816bf42008-09-17 21:28:01 +0200463.. autofunction:: jinja2.clear_caches
Armin Ronacher187bde12008-05-01 18:19:16 +0200464
Armin Ronachera816bf42008-09-17 21:28:01 +0200465.. autofunction:: jinja2.is_undefined
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200466
Armin Ronachera816bf42008-09-17 21:28:01 +0200467.. autoclass:: jinja2.Markup([string])
Armin Ronacher58f351d2008-05-28 21:30:14 +0200468 :members: escape, unescape, striptags
469
470.. admonition:: Note
471
472 The Jinja2 :class:`Markup` class is compatible with at least Pylons and
473 Genshi. It's expected that more template engines and framework will pick
474 up the `__html__` concept soon.
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200475
476
477Exceptions
478----------
479
Armin Ronachera816bf42008-09-17 21:28:01 +0200480.. autoexception:: jinja2.TemplateError
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200481
Armin Ronachera816bf42008-09-17 21:28:01 +0200482.. autoexception:: jinja2.UndefinedError
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200483
Armin Ronachera816bf42008-09-17 21:28:01 +0200484.. autoexception:: jinja2.TemplateNotFound
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200485
Armin Ronachera816bf42008-09-17 21:28:01 +0200486.. autoexception:: jinja2.TemplateSyntaxError
Armin Ronacher3c8b7ad2008-04-28 13:52:21 +0200487
Armin Ronacherf3c35c42008-05-23 23:18:14 +0200488 .. attribute:: message
489
490 The error message as utf-8 bytestring.
491
492 .. attribute:: lineno
493
494 The line number where the error occurred
495
496 .. attribute:: name
497
498 The load name for the template as unicode string.
499
500 .. attribute:: filename
501
502 The filename that loaded the template as bytestring in the encoding
503 of the file system (most likely utf-8 or mbcs on Windows systems).
504
505 The reason why the filename and error message are bytestrings and not
506 unicode strings is that Python 2.x is not using unicode for exceptions
507 and tracebacks as well as the compiler. This will change with Python 3.
508
Armin Ronachera816bf42008-09-17 21:28:01 +0200509.. autoexception:: jinja2.TemplateAssertionError
Armin Ronacher7259c762008-04-30 13:03:59 +0200510
511
512.. _writing-filters:
513
514Custom Filters
515--------------
516
517Custom filters are just regular Python functions that take the left side of
518the filter as first argument and the the arguments passed to the filter as
519extra arguments or keyword arguments.
520
521For example in the filter ``{{ 42|myfilter(23) }}`` the function would be
522called with ``myfilter(42, 23)``. Here for example a simple filter that can
523be applied to datetime objects to format them::
524
525 def datetimeformat(value, format='%H:%M / %d-%m-%Y'):
526 return value.strftime(format)
527
528You can register it on the template environment by updating the
529:attr:`~Environment.filters` dict on the environment::
530
531 environment.filters['datetimeformat'] = datetimeformat
532
533Inside the template it can then be used as follows:
534
535.. sourcecode:: jinja
536
537 written on: {{ article.pub_date|datetimeformat }}
538 publication date: {{ article.pub_date|datetimeformat('%d-%m-%Y') }}
539
540Filters can also be passed the current template context or environment. This
541is useful if a filters wants to return an undefined value or check the current
542:attr:`~Environment.autoescape` setting. For this purpose two decorators
543exist: :func:`environmentfilter` and :func:`contextfilter`.
544
545Here a small example filter that breaks a text into HTML line breaks and
546paragraphs and marks the return value as safe HTML string if autoescaping is
547enabled::
548
549 import re
550 from jinja2 import environmentfilter, Markup, escape
551
552 _paragraph_re = re.compile(r'(?:\r\n|\r|\n){2,}')
553
554 @environmentfilter
555 def nl2br(environment, value):
556 result = u'\n\n'.join(u'<p>%s</p>' % p.replace('\n', '<br>\n')
557 for p in _paragraph_re.split(escape(value)))
558 if environment.autoescape:
559 result = Markup(result)
560 return result
561
562Context filters work the same just that the first argument is the current
Armin Ronacher19cf9c22008-05-01 12:49:53 +0200563active :class:`Context` rather then the environment.
Armin Ronacher7259c762008-04-30 13:03:59 +0200564
565
566.. _writing-tests:
567
568Custom Tests
569------------
570
Armin Ronachera5d8f552008-09-11 20:46:34 +0200571Tests work like filters just that there is no way for a test to get access
Armin Ronacher7259c762008-04-30 13:03:59 +0200572to the environment or context and that they can't be chained. The return
Armin Ronachera5d8f552008-09-11 20:46:34 +0200573value of a test should be `True` or `False`. The purpose of a test is to
Armin Ronacher7259c762008-04-30 13:03:59 +0200574give the template designers the possibility to perform type and conformability
575checks.
576
Armin Ronachera5d8f552008-09-11 20:46:34 +0200577Here a simple test that checks if a variable is a prime number::
Armin Ronacher7259c762008-04-30 13:03:59 +0200578
579 import math
580
581 def is_prime(n):
582 if n == 2:
583 return True
584 for i in xrange(2, int(math.ceil(math.sqrt(n))) + 1):
585 if n % i == 0:
586 return False
587 return True
588
589
590You can register it on the template environment by updating the
591:attr:`~Environment.tests` dict on the environment::
592
593 environment.tests['prime'] = is_prime
594
595A template designer can then use the test like this:
596
597.. sourcecode:: jinja
598
599 {% if 42 is prime %}
600 42 is a prime number
601 {% else %}
602 42 is not a prime number
603 {% endif %}
604
605
606.. _global-namespace:
607
608The Global Namespace
609--------------------
610
Armin Ronacher981cbf62008-05-13 09:12:27 +0200611Variables stored in the :attr:`Environment.globals` dict are special as they
612are available for imported templates too, even if they are imported without
613context. This is the place where you can put variables and functions
614that should be available all the time. Additionally :attr:`Template.globals`
615exist that are variables available to a specific template that are available
616to all :meth:`~Template.render` calls.
Armin Ronacher5411ce72008-05-25 11:36:22 +0200617
618
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200619.. _low-level-api:
620
Armin Ronacher5411ce72008-05-25 11:36:22 +0200621Low Level API
622-------------
623
624The low level API exposes functionality that can be useful to understand some
625implementation details, debugging purposes or advanced :ref:`extension
Armin Ronacher61a5a242008-05-26 12:07:44 +0200626<jinja-extensions>` techniques. Unless you know exactly what you are doing we
627don't recommend using any of those.
Armin Ronacher5411ce72008-05-25 11:36:22 +0200628
629.. automethod:: Environment.lex
630
631.. automethod:: Environment.parse
632
Armin Ronacher9ad96e72008-06-13 22:44:01 +0200633.. automethod:: Environment.preprocess
634
Armin Ronacher5411ce72008-05-25 11:36:22 +0200635.. automethod:: Template.new_context
636
637.. method:: Template.root_render_func(context)
638
639 This is the low level render function. It's passed a :class:`Context`
640 that has to be created by :meth:`new_context` of the same template or
641 a compatible template. This render function is generated by the
642 compiler from the template code and returns a generator that yields
643 unicode strings.
644
645 If an exception in the template code happens the template engine will
646 not rewrite the exception but pass through the original one. As a
647 matter of fact this function should only be called from within a
648 :meth:`render` / :meth:`generate` / :meth:`stream` call.
649
650.. attribute:: Template.blocks
651
652 A dict of block render functions. Each of these functions works exactly
653 like the :meth:`root_render_func` with the same limitations.
654
655.. attribute:: Template.is_up_to_date
656
657 This attribute is `False` if there is a newer version of the template
658 available, otherwise `True`.
Armin Ronacher9bb7e472008-05-28 11:26:59 +0200659
660.. admonition:: Note
661
Armin Ronacher58f351d2008-05-28 21:30:14 +0200662 The low-level API is fragile. Future Jinja2 versions will try not to
663 change it in a backwards incompatible way but modifications in the Jinja2
664 core may shine through. For example if Jinja2 introduces a new AST node
665 in later versions that may be returned by :meth:`~Environment.parse`.