api.txt 33 KB

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