api.txt 37 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994
  1. ====================================================
  2. The Django template language: For Python programmers
  3. ====================================================
  4. .. module:: django.template
  5. :synopsis: Django's template system
  6. This document explains the Django template system from a technical
  7. perspective -- how it works and how to extend it. If you're just looking for
  8. reference on the language syntax, see :doc:`/topics/templates`.
  9. If you're looking to use the Django template system as part of another
  10. application -- i.e., without the rest of the framework -- make sure to read
  11. the `configuration`_ section later in this document.
  12. .. _configuration: `configuring the template system in standalone mode`_
  13. Basics
  14. ======
  15. A **template** is a text document, or a normal Python string, that is marked-up
  16. using the Django template language. A template can contain **block tags** or
  17. **variables**.
  18. A **block tag** is a symbol within a template that does something.
  19. This definition is deliberately vague. For example, a block tag can output
  20. content, serve as a control structure (an "if" statement or "for" loop), grab
  21. content from a database or enable access to other template tags.
  22. Block tags are surrounded by ``"{%"`` and ``"%}"``.
  23. Example template with block tags:
  24. .. code-block:: html+django
  25. {% if is_logged_in %}Thanks for logging in!{% else %}Please log in.{% endif %}
  26. A **variable** is a symbol within a template that outputs a value.
  27. Variable tags are surrounded by ``"{{"`` and ``"}}"``.
  28. Example template with variables:
  29. .. code-block:: html+django
  30. My first name is {{ first_name }}. My last name is {{ last_name }}.
  31. A **context** is a "variable name" -> "variable value" mapping that is passed
  32. to a template.
  33. A template **renders** a context by replacing the variable "holes" with values
  34. from the context and executing all block tags.
  35. Using the template system
  36. =========================
  37. .. class:: Template
  38. Using the template system in Python is a two-step process:
  39. * First, you compile the raw template code into a ``Template`` object.
  40. * Then, you call the ``render()`` method of the ``Template`` object with a
  41. given context.
  42. Compiling a string
  43. ------------------
  44. The easiest way to create a ``Template`` object is by instantiating it
  45. directly. The class lives at :class:`django.template.Template`. The constructor
  46. takes one argument -- the raw template code::
  47. >>> from django.template import Template
  48. >>> t = Template("My name is {{ my_name }}.")
  49. >>> print(t)
  50. <django.template.Template instance>
  51. .. admonition:: Behind the scenes
  52. The system only parses your raw template code once -- when you create the
  53. ``Template`` object. From then on, it's stored internally as a "node"
  54. structure for performance.
  55. Even the parsing itself is quite fast. Most of the parsing happens via a
  56. single call to a single, short, regular expression.
  57. Rendering a context
  58. -------------------
  59. .. method:: render(context)
  60. Once you have a compiled ``Template`` object, you can render a context -- or
  61. multiple contexts -- with it. The ``Context`` class lives at
  62. :class:`django.template.Context`, and the constructor takes two (optional)
  63. arguments:
  64. * A dictionary mapping variable names to variable values.
  65. * The name of the current application. This application name is used
  66. to help :ref:`resolve namespaced URLs<topics-http-reversing-url-namespaces>`.
  67. If you're not using namespaced URLs, you can ignore this argument.
  68. Call the ``Template`` object's ``render()`` method with the context to "fill" the
  69. template::
  70. >>> from django.template import Context, Template
  71. >>> t = Template("My name is {{ my_name }}.")
  72. >>> c = Context({"my_name": "Adrian"})
  73. >>> t.render(c)
  74. "My name is Adrian."
  75. >>> c = Context({"my_name": "Dolores"})
  76. >>> t.render(c)
  77. "My name is Dolores."
  78. Variables and lookups
  79. ~~~~~~~~~~~~~~~~~~~~~
  80. Variable names must consist of any letter (A-Z), any digit (0-9), an underscore
  81. (but they must not start with an underscore) or a dot.
  82. Dots have a special meaning in template rendering. A dot in a variable name
  83. signifies a **lookup**. Specifically, when the template system encounters a
  84. dot in a variable name, it tries the following lookups, in this order:
  85. * Dictionary lookup. Example: ``foo["bar"]``
  86. * Attribute lookup. Example: ``foo.bar``
  87. * List-index lookup. Example: ``foo[bar]``
  88. Note that "bar" in a template expression like ``{{ foo.bar }}`` will be
  89. interpreted as a literal string and not using the value of the variable "bar",
  90. if one exists in the template context.
  91. The template system uses the first lookup type that works. It's short-circuit
  92. logic. Here are a few examples::
  93. >>> from django.template import Context, Template
  94. >>> t = Template("My name is {{ person.first_name }}.")
  95. >>> d = {"person": {"first_name": "Joe", "last_name": "Johnson"}}
  96. >>> t.render(Context(d))
  97. "My name is Joe."
  98. >>> class PersonClass: pass
  99. >>> p = PersonClass()
  100. >>> p.first_name = "Ron"
  101. >>> p.last_name = "Nasty"
  102. >>> t.render(Context({"person": p}))
  103. "My name is Ron."
  104. >>> t = Template("The first stooge in the list is {{ stooges.0 }}.")
  105. >>> c = Context({"stooges": ["Larry", "Curly", "Moe"]})
  106. >>> t.render(c)
  107. "The first stooge in the list is Larry."
  108. If any part of the variable is callable, the template system will try calling
  109. it. Example::
  110. >>> class PersonClass2:
  111. ... def name(self):
  112. ... return "Samantha"
  113. >>> t = Template("My name is {{ person.name }}.")
  114. >>> t.render(Context({"person": PersonClass2}))
  115. "My name is Samantha."
  116. Callable variables are slightly more complex than variables which only require
  117. straight lookups. Here are some things to keep in mind:
  118. * If the variable raises an exception when called, the exception will be
  119. propagated, unless the exception has an attribute
  120. ``silent_variable_failure`` whose value is ``True``. If the exception
  121. *does* have a ``silent_variable_failure`` attribute whose value is
  122. ``True``, the variable will render as the value of the
  123. :setting:`TEMPLATE_STRING_IF_INVALID` setting (an empty string, by default).
  124. Example::
  125. >>> t = Template("My name is {{ person.first_name }}.")
  126. >>> class PersonClass3:
  127. ... def first_name(self):
  128. ... raise AssertionError("foo")
  129. >>> p = PersonClass3()
  130. >>> t.render(Context({"person": p}))
  131. Traceback (most recent call last):
  132. ...
  133. AssertionError: foo
  134. >>> class SilentAssertionError(Exception):
  135. ... silent_variable_failure = True
  136. >>> class PersonClass4:
  137. ... def first_name(self):
  138. ... raise SilentAssertionError
  139. >>> p = PersonClass4()
  140. >>> t.render(Context({"person": p}))
  141. "My name is ."
  142. Note that :exc:`django.core.exceptions.ObjectDoesNotExist`, which is the
  143. base class for all Django database API ``DoesNotExist`` exceptions, has
  144. ``silent_variable_failure = True``. So if you're using Django templates
  145. with Django model objects, any ``DoesNotExist`` exception will fail
  146. silently.
  147. * A variable can only be called if it has no required arguments. Otherwise,
  148. the system will return the value of :setting:`TEMPLATE_STRING_IF_INVALID`.
  149. .. _alters-data-description:
  150. * Obviously, there can be side effects when calling some variables, and
  151. it'd be either foolish or a security hole to allow the template system
  152. to access them.
  153. A good example is the :meth:`~django.db.models.Model.delete` method on
  154. each Django model object. The template system shouldn't be allowed to do
  155. something like this::
  156. I will now delete this valuable data. {{ data.delete }}
  157. To prevent this, set an ``alters_data`` attribute on the callable
  158. variable. The template system won't call a variable if it has
  159. ``alters_data=True`` set, and will instead replace the variable with
  160. :setting:`TEMPLATE_STRING_IF_INVALID`, unconditionally. The
  161. dynamically-generated :meth:`~django.db.models.Model.delete` and
  162. :meth:`~django.db.models.Model.save` methods on Django model objects get
  163. ``alters_data=True`` automatically. Example::
  164. def sensitive_function(self):
  165. self.database_record.delete()
  166. sensitive_function.alters_data = True
  167. * Occasionally you may want to turn off this feature for other reasons,
  168. and tell the template system to leave a variable uncalled no matter
  169. what. To do so, set a ``do_not_call_in_templates`` attribute on the
  170. callable with the value ``True``. The template system then will act as
  171. if your variable is not callable (allowing you to access attributes of
  172. the callable, for example).
  173. .. _invalid-template-variables:
  174. How invalid variables are handled
  175. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  176. Generally, if a variable doesn't exist, the template system inserts the
  177. value of the :setting:`TEMPLATE_STRING_IF_INVALID` setting, which is set to
  178. ``''`` (the empty string) by default.
  179. Filters that are applied to an invalid variable will only be applied if
  180. :setting:`TEMPLATE_STRING_IF_INVALID` is set to ``''`` (the empty string). If
  181. :setting:`TEMPLATE_STRING_IF_INVALID` is set to any other value, variable
  182. filters will be ignored.
  183. This behavior is slightly different for the ``if``, ``for`` and ``regroup``
  184. template tags. If an invalid variable is provided to one of these template
  185. tags, the variable will be interpreted as ``None``. Filters are always
  186. applied to invalid variables within these template tags.
  187. If :setting:`TEMPLATE_STRING_IF_INVALID` contains a ``'%s'``, the format marker will
  188. be replaced with the name of the invalid variable.
  189. .. admonition:: For debug purposes only!
  190. While :setting:`TEMPLATE_STRING_IF_INVALID` can be a useful debugging tool,
  191. it is a bad idea to turn it on as a 'development default'.
  192. Many templates, including those in the Admin site, rely upon the
  193. silence of the template system when a non-existent variable is
  194. encountered. If you assign a value other than ``''`` to
  195. :setting:`TEMPLATE_STRING_IF_INVALID`, you will experience rendering
  196. problems with these templates and sites.
  197. Generally, :setting:`TEMPLATE_STRING_IF_INVALID` should only be enabled
  198. in order to debug a specific template problem, then cleared
  199. once debugging is complete.
  200. Builtin variables
  201. ~~~~~~~~~~~~~~~~~
  202. Every context contains ``True``, ``False`` and ``None``. As you would expect,
  203. these variables resolve to the corresponding Python objects.
  204. Limitations with string literals
  205. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  206. Django's template language has no way to escape the characters used for its own
  207. syntax. For example, the :ttag:`templatetag` tag is required if you need to
  208. output character sequences like ``{%`` and ``%}``.
  209. A similar issue exists if you want to include these sequences in template filter
  210. or tag arguments. For example, when parsing a block tag, Django's template
  211. parser looks for the first occurrence of ``%}`` after a ``{%``. This prevents
  212. the use of ``"%}"`` as a string literal. For example, a ``TemplateSyntaxError``
  213. will be raised for the following expressions::
  214. {% include "template.html" tvar="Some string literal with %} in it." %}
  215. {% with tvar="Some string literal with %} in it." %}{% endwith %}
  216. The same issue can be triggered by using a reserved sequence in filter
  217. arguments::
  218. {{ some.variable|default:"}}" }}
  219. If you need to use strings with these sequences, store them in template
  220. variables or use a custom template tag or filter to workaround the limitation.
  221. Playing with Context objects
  222. ----------------------------
  223. .. class:: Context
  224. Most of the time, you'll instantiate ``Context`` objects by passing in a
  225. fully-populated dictionary to ``Context()``. But you can add and delete items
  226. from a ``Context`` object once it's been instantiated, too, using standard
  227. dictionary syntax::
  228. >>> from django.template import Context
  229. >>> c = Context({"foo": "bar"})
  230. >>> c['foo']
  231. 'bar'
  232. >>> del c['foo']
  233. >>> c['foo']
  234. ''
  235. >>> c['newvariable'] = 'hello'
  236. >>> c['newvariable']
  237. 'hello'
  238. .. method:: Context.pop()
  239. .. method:: Context.push()
  240. .. exception:: ContextPopException
  241. A ``Context`` object is a stack. That is, you can ``push()`` and ``pop()`` it.
  242. If you ``pop()`` too much, it'll raise
  243. ``django.template.ContextPopException``::
  244. >>> c = Context()
  245. >>> c['foo'] = 'first level'
  246. >>> c.push()
  247. {}
  248. >>> c['foo'] = 'second level'
  249. >>> c['foo']
  250. 'second level'
  251. >>> c.pop()
  252. {'foo': 'second level'}
  253. >>> c['foo']
  254. 'first level'
  255. >>> c['foo'] = 'overwritten'
  256. >>> c['foo']
  257. 'overwritten'
  258. >>> c.pop()
  259. Traceback (most recent call last):
  260. ...
  261. ContextPopException
  262. .. versionadded:: 1.7
  263. You can also use ``push()`` as a context manager to ensure a matching ``pop()``
  264. is called.
  265. >>> c = Context()
  266. >>> c['foo'] = 'first level'
  267. >>> with c.push():
  268. >>> c['foo'] = 'second level'
  269. >>> c['foo']
  270. 'second level'
  271. >>> c['foo']
  272. 'first level'
  273. All arguments passed to ``push()`` will be passed to the ``dict`` constructor
  274. used to build the new context level.
  275. >>> c = Context()
  276. >>> c['foo'] = 'first level'
  277. >>> with c.push(foo='second level'):
  278. >>> c['foo']
  279. 'second level'
  280. >>> c['foo']
  281. 'first level'
  282. .. method:: update(other_dict)
  283. In addition to ``push()`` and ``pop()``, the ``Context``
  284. object also defines an ``update()`` method. This works like ``push()``
  285. but takes a dictionary as an argument and pushes that dictionary onto
  286. the stack instead of an empty one.
  287. >>> c = Context()
  288. >>> c['foo'] = 'first level'
  289. >>> c.update({'foo': 'updated'})
  290. {'foo': 'updated'}
  291. >>> c['foo']
  292. 'updated'
  293. >>> c.pop()
  294. {'foo': 'updated'}
  295. >>> c['foo']
  296. 'first level'
  297. Using a ``Context`` as a stack comes in handy in some custom template tags, as
  298. you'll see below.
  299. .. method:: Context.flatten()
  300. .. versionadded:: 1.7
  301. Using ``flatten()`` method you can get whole ``Context`` stack as one dictionary
  302. including builtin variables.
  303. >>> c = Context()
  304. >>> c['foo'] = 'first level'
  305. >>> c.update({'bar': 'second level'})
  306. {'bar': 'second level'}
  307. >>> c.flatten()
  308. {'True': True, 'None': None, 'foo': 'first level', 'False': False, 'bar': 'second level'}
  309. A ``flatten()`` method is also internally used to make ``Context`` objects comparable.
  310. >>> c1 = Context()
  311. >>> c1['foo'] = 'first level'
  312. >>> c1['bar'] = 'second level'
  313. >>> c2 = Context()
  314. >>> c2.update({'bar': 'second level', 'foo': 'first level'})
  315. {'foo': 'first level', 'bar': 'second level'}
  316. >>> c1 == c2
  317. True
  318. Result from ``flatten()`` can be useful in unit tests to compare ``Context``
  319. against ``dict``::
  320. class ContextTest(unittest.TestCase):
  321. def test_against_dictionary(self):
  322. c1 = Context()
  323. c1['update'] = 'value'
  324. self.assertEqual(c1.flatten(), {
  325. 'True': True, 'None': None, 'False': False,
  326. 'update': 'value'})
  327. .. _subclassing-context-requestcontext:
  328. Subclassing Context: RequestContext
  329. -----------------------------------
  330. .. class:: RequestContext
  331. Django comes with a special ``Context`` class,
  332. ``django.template.RequestContext``, that acts slightly differently than the
  333. normal ``django.template.Context``. The first difference is that it takes an
  334. :class:`~django.http.HttpRequest` as its first argument. For example::
  335. c = RequestContext(request, {
  336. 'foo': 'bar',
  337. })
  338. The second difference is that it automatically populates the context with a few
  339. variables, according to your :setting:`TEMPLATE_CONTEXT_PROCESSORS` setting.
  340. The :setting:`TEMPLATE_CONTEXT_PROCESSORS` setting is a tuple of callables --
  341. called **context processors** -- that take a request object as their argument
  342. and return a dictionary of items to be merged into the context. By default,
  343. :setting:`TEMPLATE_CONTEXT_PROCESSORS` is set to::
  344. ("django.contrib.auth.context_processors.auth",
  345. "django.core.context_processors.debug",
  346. "django.core.context_processors.i18n",
  347. "django.core.context_processors.media",
  348. "django.core.context_processors.static",
  349. "django.core.context_processors.tz",
  350. "django.contrib.messages.context_processors.messages")
  351. In addition to these, ``RequestContext`` always uses
  352. ``django.core.context_processors.csrf``. This is a security
  353. related context processor required by the admin and other contrib apps, and,
  354. in case of accidental misconfiguration, it is deliberately hardcoded in and
  355. cannot be turned off by the :setting:`TEMPLATE_CONTEXT_PROCESSORS` setting.
  356. Each processor is applied in order. That means, if one processor adds a
  357. variable to the context and a second processor adds a variable with the same
  358. name, the second will override the first. The default processors are explained
  359. below.
  360. .. admonition:: When context processors are applied
  361. Context processors are applied *after* the context itself is processed.
  362. This means that a context processor may overwrite variables you've
  363. supplied to your ``Context`` or ``RequestContext``, so take care
  364. to avoid variable names that overlap with those supplied by your
  365. context processors.
  366. Also, you can give ``RequestContext`` a list of additional processors, using the
  367. optional, third positional argument, ``processors``. In this example, the
  368. ``RequestContext`` instance gets a ``ip_address`` variable::
  369. from django.http import HttpResponse
  370. from django.template import RequestContext
  371. def ip_address_processor(request):
  372. return {'ip_address': request.META['REMOTE_ADDR']}
  373. def some_view(request):
  374. # ...
  375. c = RequestContext(request, {
  376. 'foo': 'bar',
  377. }, [ip_address_processor])
  378. return HttpResponse(t.render(c))
  379. .. note::
  380. If you're using Django's :func:`~django.shortcuts.render_to_response()`
  381. shortcut to populate a template with the contents of a dictionary, your
  382. template will be passed a ``Context`` instance by default (not a
  383. ``RequestContext``). To use a ``RequestContext`` in your template
  384. rendering, use the :meth:`~django.shortcuts.render()` shortcut which is
  385. the same as a call to :func:`~django.shortcuts.render_to_response()` with a
  386. ``context_instance`` argument that forces the use of a ``RequestContext``.
  387. Here's what each of the default processors does:
  388. django.contrib.auth.context_processors.auth
  389. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  390. If :setting:`TEMPLATE_CONTEXT_PROCESSORS` contains this processor, every
  391. ``RequestContext`` will contain these variables:
  392. * ``user`` -- An ``auth.User`` instance representing the currently
  393. logged-in user (or an ``AnonymousUser`` instance, if the client isn't
  394. logged in).
  395. * ``perms`` -- An instance of
  396. ``django.contrib.auth.context_processors.PermWrapper``, representing the
  397. permissions that the currently logged-in user has.
  398. .. currentmodule:: django.core.context_processors
  399. django.core.context_processors.debug
  400. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  401. If :setting:`TEMPLATE_CONTEXT_PROCESSORS` contains this processor, every
  402. ``RequestContext`` will contain these two variables -- but only if your
  403. :setting:`DEBUG` setting is set to ``True`` and the request's IP address
  404. (``request.META['REMOTE_ADDR']``) is in the :setting:`INTERNAL_IPS` setting:
  405. * ``debug`` -- ``True``. You can use this in templates to test whether
  406. you're in :setting:`DEBUG` mode.
  407. * ``sql_queries`` -- A list of ``{'sql': ..., 'time': ...}`` dictionaries,
  408. representing every SQL query that has happened so far during the request
  409. and how long it took. The list is in order by query and lazily generated
  410. on access.
  411. django.core.context_processors.i18n
  412. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  413. If :setting:`TEMPLATE_CONTEXT_PROCESSORS` contains this processor, every
  414. ``RequestContext`` will contain these two variables:
  415. * ``LANGUAGES`` -- The value of the :setting:`LANGUAGES` setting.
  416. * ``LANGUAGE_CODE`` -- ``request.LANGUAGE_CODE``, if it exists. Otherwise,
  417. the value of the :setting:`LANGUAGE_CODE` setting.
  418. See :doc:`/topics/i18n/index` for more.
  419. django.core.context_processors.media
  420. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  421. If :setting:`TEMPLATE_CONTEXT_PROCESSORS` contains this processor, every
  422. ``RequestContext`` will contain a variable ``MEDIA_URL``, providing the
  423. value of the :setting:`MEDIA_URL` setting.
  424. django.core.context_processors.static
  425. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  426. .. function:: static
  427. If :setting:`TEMPLATE_CONTEXT_PROCESSORS` contains this processor, every
  428. ``RequestContext`` will contain a variable ``STATIC_URL``, providing the
  429. value of the :setting:`STATIC_URL` setting.
  430. django.core.context_processors.csrf
  431. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  432. This processor adds a token that is needed by the :ttag:`csrf_token` template
  433. tag for protection against :doc:`Cross Site Request Forgeries
  434. </ref/csrf>`.
  435. django.core.context_processors.request
  436. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  437. If :setting:`TEMPLATE_CONTEXT_PROCESSORS` contains this processor, every
  438. ``RequestContext`` will contain a variable ``request``, which is the current
  439. :class:`~django.http.HttpRequest`. Note that this processor is not enabled by default;
  440. you'll have to activate it.
  441. django.contrib.messages.context_processors.messages
  442. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  443. If :setting:`TEMPLATE_CONTEXT_PROCESSORS` contains this processor, every
  444. ``RequestContext`` will contain these two variables:
  445. * ``messages`` -- A list of messages (as strings) that have been set
  446. via the :doc:`messages framework </ref/contrib/messages>`.
  447. * ``DEFAULT_MESSAGE_LEVELS`` -- A mapping of the message level names to
  448. :ref:`their numeric value <message-level-constants>`.
  449. .. versionchanged:: 1.7
  450. The ``DEFAULT_MESSAGE_LEVELS`` variable was added.
  451. Writing your own context processors
  452. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  453. A context processor has a very simple interface: It's just a Python function
  454. that takes one argument, an :class:`~django.http.HttpRequest` object, and
  455. returns a dictionary that gets added to the template context. Each context
  456. processor *must* return a dictionary.
  457. Custom context processors can live anywhere in your code base. All Django cares
  458. about is that your custom context processors are pointed-to by your
  459. :setting:`TEMPLATE_CONTEXT_PROCESSORS` setting.
  460. Loading templates
  461. -----------------
  462. Generally, you'll store templates in files on your filesystem rather than using
  463. the low-level ``Template`` API yourself. Save templates in a directory
  464. specified as a **template directory**.
  465. Django searches for template directories in a number of places, depending on
  466. your template-loader settings (see "Loader types" below), but the most basic
  467. way of specifying template directories is by using the :setting:`TEMPLATE_DIRS`
  468. setting.
  469. The TEMPLATE_DIRS setting
  470. ~~~~~~~~~~~~~~~~~~~~~~~~~
  471. Tell Django what your template directories are by using the
  472. :setting:`TEMPLATE_DIRS` setting in your settings file. This should be set to a
  473. list or tuple of strings that contain full paths to your template
  474. directory(ies). Example::
  475. TEMPLATE_DIRS = (
  476. "/home/html/templates/lawrence.com",
  477. "/home/html/templates/default",
  478. )
  479. Your templates can go anywhere you want, as long as the directories and
  480. templates are readable by the Web server. They can have any extension you want,
  481. such as ``.html`` or ``.txt``, or they can have no extension at all.
  482. Note that these paths should use Unix-style forward slashes, even on Windows.
  483. .. _ref-templates-api-the-python-api:
  484. The Python API
  485. ~~~~~~~~~~~~~~
  486. .. module:: django.template.loader
  487. ``django.template.loader`` has two functions to load templates from files:
  488. .. function:: get_template(template_name[, dirs])
  489. ``get_template`` returns the compiled template (a ``Template`` object) for
  490. the template with the given name. If the template doesn't exist, it raises
  491. ``django.template.TemplateDoesNotExist``.
  492. To override the :setting:`TEMPLATE_DIRS` setting, use the ``dirs``
  493. parameter. The ``dirs`` parameter may be a tuple or list.
  494. .. versionchanged:: 1.7
  495. The ``dirs`` parameter was added.
  496. .. function:: select_template(template_name_list[, dirs])
  497. ``select_template`` is just like ``get_template``, except it takes a list
  498. of template names. Of the list, it returns the first template that exists.
  499. To override the :setting:`TEMPLATE_DIRS` setting, use the ``dirs``
  500. parameter. The ``dirs`` parameter may be a tuple or list.
  501. .. versionchanged:: 1.7
  502. The ``dirs`` parameter was added.
  503. For example, if you call ``get_template('story_detail.html')`` and have the
  504. above :setting:`TEMPLATE_DIRS` setting, here are the files Django will look for,
  505. in order:
  506. * ``/home/html/templates/lawrence.com/story_detail.html``
  507. * ``/home/html/templates/default/story_detail.html``
  508. If you call ``select_template(['story_253_detail.html', 'story_detail.html'])``,
  509. here's what Django will look for:
  510. * ``/home/html/templates/lawrence.com/story_253_detail.html``
  511. * ``/home/html/templates/default/story_253_detail.html``
  512. * ``/home/html/templates/lawrence.com/story_detail.html``
  513. * ``/home/html/templates/default/story_detail.html``
  514. When Django finds a template that exists, it stops looking.
  515. .. admonition:: Tip
  516. You can use ``select_template()`` for super-flexible "templatability." For
  517. example, if you've written a news story and want some stories to have
  518. custom templates, use something like
  519. ``select_template(['story_%s_detail.html' % story.id, 'story_detail.html'])``.
  520. That'll allow you to use a custom template for an individual story, with a
  521. fallback template for stories that don't have custom templates.
  522. Using subdirectories
  523. ~~~~~~~~~~~~~~~~~~~~
  524. It's possible -- and preferable -- to organize templates in subdirectories of
  525. the template directory. The convention is to make a subdirectory for each
  526. Django app, with subdirectories within those subdirectories as needed.
  527. Do this for your own sanity. Storing all templates in the root level of a
  528. single directory gets messy.
  529. To load a template that's within a subdirectory, just use a slash, like so::
  530. get_template('news/story_detail.html')
  531. Using the same :setting:`TEMPLATE_DIRS` setting from above, this example
  532. ``get_template()`` call will attempt to load the following templates:
  533. * ``/home/html/templates/lawrence.com/news/story_detail.html``
  534. * ``/home/html/templates/default/news/story_detail.html``
  535. .. _template-loaders:
  536. Loader types
  537. ~~~~~~~~~~~~
  538. By default, Django uses a filesystem-based template loader, but Django comes
  539. with a few other template loaders, which know how to load templates from other
  540. sources.
  541. Some of these other loaders are disabled by default, but you can activate them
  542. by editing your :setting:`TEMPLATE_LOADERS` setting. :setting:`TEMPLATE_LOADERS`
  543. should be a tuple of strings, where each string represents a template loader
  544. class. Here are the template loaders that come with Django:
  545. .. currentmodule:: django.template.loaders
  546. ``django.template.loaders.filesystem.Loader``
  547. .. class:: filesystem.Loader
  548. Loads templates from the filesystem, according to :setting:`TEMPLATE_DIRS`.
  549. This loader is enabled by default.
  550. ``django.template.loaders.app_directories.Loader``
  551. .. class:: app_directories.Loader
  552. Loads templates from Django apps on the filesystem. For each app in
  553. :setting:`INSTALLED_APPS`, the loader looks for a ``templates``
  554. subdirectory. If the directory exists, Django looks for templates in there.
  555. This means you can store templates with your individual apps. This also
  556. makes it easy to distribute Django apps with default templates.
  557. For example, for this setting::
  558. INSTALLED_APPS = ('myproject.polls', 'myproject.music')
  559. ...then ``get_template('foo.html')`` will look for ``foo.html`` in these
  560. directories, in this order:
  561. * ``/path/to/myproject/polls/templates/``
  562. * ``/path/to/myproject/music/templates/``
  563. ... and will use the one it finds first.
  564. The order of :setting:`INSTALLED_APPS` is significant! For example, if you
  565. want to customize the Django admin, you might choose to override the
  566. standard ``admin/base_site.html`` template, from ``django.contrib.admin``,
  567. with your own ``admin/base_site.html`` in ``myproject.polls``. You must
  568. then make sure that your ``myproject.polls`` comes *before*
  569. ``django.contrib.admin`` in :setting:`INSTALLED_APPS`, otherwise
  570. ``django.contrib.admin``’s will be loaded first and yours will be ignored.
  571. Note that the loader performs an optimization when it is first imported:
  572. it caches a list of which :setting:`INSTALLED_APPS` packages have a
  573. ``templates`` subdirectory.
  574. This loader is enabled by default.
  575. ``django.template.loaders.eggs.Loader``
  576. .. class:: eggs.Loader
  577. Just like ``app_directories`` above, but it loads templates from Python
  578. eggs rather than from the filesystem.
  579. This loader is disabled by default.
  580. ``django.template.loaders.cached.Loader``
  581. .. class:: cached.Loader
  582. By default, the templating system will read and compile your templates every
  583. time they need to be rendered. While the Django templating system is quite
  584. fast, the overhead from reading and compiling templates can add up.
  585. The cached template loader is a class-based loader that you configure with
  586. a list of other loaders that it should wrap. The wrapped loaders are used to
  587. locate unknown templates when they are first encountered. The cached loader
  588. then stores the compiled ``Template`` in memory. The cached ``Template``
  589. instance is returned for subsequent requests to load the same template.
  590. For example, to enable template caching with the ``filesystem`` and
  591. ``app_directories`` template loaders you might use the following settings::
  592. TEMPLATE_LOADERS = (
  593. ('django.template.loaders.cached.Loader', (
  594. 'django.template.loaders.filesystem.Loader',
  595. 'django.template.loaders.app_directories.Loader',
  596. )),
  597. )
  598. .. note::
  599. All of the built-in Django template tags are safe to use with the
  600. cached loader, but if you're using custom template tags that come from
  601. third party packages, or that you wrote yourself, you should ensure
  602. that the ``Node`` implementation for each tag is thread-safe. For more
  603. information, see :ref:`template tag thread safety
  604. considerations<template_tag_thread_safety>`.
  605. This loader is disabled by default.
  606. Django uses the template loaders in order according to the
  607. :setting:`TEMPLATE_LOADERS` setting. It uses each loader until a loader finds a
  608. match.
  609. .. currentmodule:: django.template
  610. Template origin
  611. ~~~~~~~~~~~~~~~
  612. .. versionadded:: 1.7
  613. When :setting:`TEMPLATE_DEBUG` is ``True`` template objects will have an
  614. ``origin`` attribute depending on the source they are loaded from.
  615. .. class:: loader.LoaderOrigin
  616. Templates created from a template loader will use the
  617. ``django.template.loader.LoaderOrigin`` class.
  618. .. attribute:: name
  619. The path to the template as returned by the template loader.
  620. For loaders that read from the file system, this is the full
  621. path to the template.
  622. .. attribute:: loadname
  623. The relative path to the template as passed into the
  624. template loader.
  625. .. class:: StringOrigin
  626. Templates created from a ``Template`` class will use the
  627. ``django.template.StringOrigin`` class.
  628. .. attribute:: source
  629. The string used to create the template.
  630. The ``render_to_string`` shortcut
  631. ===================================
  632. .. function:: loader.render_to_string(template_name, dictionary=None, context_instance=None)
  633. To cut down on the repetitive nature of loading and rendering
  634. templates, Django provides a shortcut function which largely
  635. automates the process: ``render_to_string()`` in
  636. :mod:`django.template.loader`, which loads a template, renders it and
  637. returns the resulting string::
  638. from django.template.loader import render_to_string
  639. rendered = render_to_string('my_template.html', {'foo': 'bar'})
  640. The ``render_to_string`` shortcut takes one required argument --
  641. ``template_name``, which should be the name of the template to load
  642. and render (or a list of template names, in which case Django will use
  643. the first template in the list that exists) -- and two optional arguments:
  644. dictionary
  645. A dictionary to be used as variables and values for the
  646. template's context. This can also be passed as the second
  647. positional argument.
  648. context_instance
  649. An instance of :class:`~django.template.Context` or a subclass (e.g., an
  650. instance of :class:`~django.template.RequestContext`) to use as the
  651. template's context. This can also be passed as the third positional argument.
  652. See also the :func:`~django.shortcuts.render_to_response()` shortcut, which
  653. calls ``render_to_string`` and feeds the result into an :class:`~django.http.HttpResponse`
  654. suitable for returning directly from a view.
  655. Configuring the template system in standalone mode
  656. ==================================================
  657. .. note::
  658. This section is only of interest to people trying to use the template
  659. system as an output component in another application. If you're using the
  660. template system as part of a Django application, nothing here applies to
  661. you.
  662. Normally, Django will load all the configuration information it needs from its
  663. own default configuration file, combined with the settings in the module given
  664. in the :envvar:`DJANGO_SETTINGS_MODULE` environment variable. But if you're
  665. using the template system independently of the rest of Django, the environment
  666. variable approach isn't very convenient, because you probably want to configure
  667. the template system in line with the rest of your application rather than
  668. dealing with settings files and pointing to them via environment variables.
  669. To solve this problem, you need to use the manual configuration option described
  670. in :ref:`settings-without-django-settings-module`. Simply import the appropriate
  671. pieces of the templating system and then, *before* you call any of the
  672. templating functions, call :func:`django.conf.settings.configure()` with any
  673. settings you wish to specify. You might want to consider setting at least
  674. :setting:`TEMPLATE_DIRS` (if you're going to use template loaders),
  675. :setting:`DEFAULT_CHARSET` (although the default of ``utf-8`` is probably fine)
  676. and :setting:`TEMPLATE_DEBUG`. If you plan to use the :ttag:`url` template tag,
  677. you will also need to set the :setting:`ROOT_URLCONF` setting. All available
  678. settings are described in the :doc:`settings documentation </ref/settings>`,
  679. and any setting starting with ``TEMPLATE_`` is of obvious interest.
  680. .. _topic-template-alternate-language:
  681. Using an alternative template language
  682. ======================================
  683. The Django ``Template`` and ``Loader`` classes implement a simple API for
  684. loading and rendering templates. By providing some simple wrapper classes that
  685. implement this API we can use third party template systems like `Jinja2
  686. <http://jinja.pocoo.org/docs/>`_. This
  687. allows us to use third-party template libraries without giving up useful Django
  688. features like the Django ``Context`` object and handy shortcuts like
  689. :func:`~django.shortcuts.render_to_response()`.
  690. The core component of the Django templating system is the ``Template`` class.
  691. This class has a very simple interface: it has a constructor that takes a single
  692. positional argument specifying the template string, and a ``render()`` method
  693. that takes a :class:`~django.template.Context` object and returns a string
  694. containing the rendered response.
  695. Suppose we're using a template language that defines a ``Template`` object with
  696. a ``render()`` method that takes a dictionary rather than a ``Context`` object.
  697. We can write a simple wrapper that implements the Django ``Template`` interface::
  698. import some_template_language
  699. class Template(some_template_language.Template):
  700. def render(self, context):
  701. # flatten the Django Context into a single dictionary.
  702. context_dict = {}
  703. for d in context.dicts:
  704. context_dict.update(d)
  705. return super(Template, self).render(context_dict)
  706. That's all that's required to make our fictional ``Template`` class compatible
  707. with the Django loading and rendering system!
  708. The next step is to write a ``Loader`` class that returns instances of our custom
  709. template class instead of the default :class:`~django.template.Template`. Custom ``Loader``
  710. classes should inherit from ``django.template.loader.BaseLoader`` and override
  711. the ``load_template_source()`` method, which takes a ``template_name`` argument,
  712. loads the template from disk (or elsewhere), and returns a tuple:
  713. ``(template_string, template_origin)``.
  714. The ``load_template()`` method of the ``Loader`` class retrieves the template
  715. string by calling ``load_template_source()``, instantiates a ``Template`` from
  716. the template source, and returns a tuple: ``(template, template_origin)``. Since
  717. this is the method that actually instantiates the ``Template``, we'll need to
  718. override it to use our custom template class instead. We can inherit from the
  719. builtin :class:`django.template.loaders.app_directories.Loader` to take advantage
  720. of the ``load_template_source()`` method implemented there::
  721. from django.template.loaders import app_directories
  722. class Loader(app_directories.Loader):
  723. is_usable = True
  724. def load_template(self, template_name, template_dirs=None):
  725. source, origin = self.load_template_source(template_name, template_dirs)
  726. template = Template(source)
  727. return template, origin
  728. Finally, we need to modify our project settings, telling Django to use our custom
  729. loader. Now we can write all of our templates in our alternative template
  730. language while continuing to use the rest of the Django templating system.