utils.txt 40 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140
  1. ============
  2. Django Utils
  3. ============
  4. .. module:: django.utils
  5. :synopsis: Django's built-in utilities.
  6. This document covers all stable modules in ``django.utils``. Most of the
  7. modules in ``django.utils`` are designed for internal use and only the
  8. following parts can be considered stable and thus backwards compatible as per
  9. the :ref:`internal release deprecation policy <internal-release-deprecation-policy>`.
  10. ``django.utils.cache``
  11. ======================
  12. .. module:: django.utils.cache
  13. :synopsis: Helper functions for controlling caching.
  14. This module contains helper functions for controlling caching. It does so by
  15. managing the ``Vary`` header of responses. It includes functions to patch the
  16. header of response objects directly and decorators that change functions to do
  17. that header-patching themselves.
  18. For information on the ``Vary`` header, see :rfc:`7231#section-7.1.4`.
  19. Essentially, the ``Vary`` HTTP header defines which headers a cache should take
  20. into account when building its cache key. Requests with the same path but
  21. different header content for headers named in ``Vary`` need to get different
  22. cache keys to prevent delivery of wrong content.
  23. For example, :doc:`internationalization </topics/i18n/index>` middleware would
  24. need to distinguish caches by the ``Accept-language`` header.
  25. .. function:: patch_cache_control(response, **kwargs)
  26. This function patches the ``Cache-Control`` header by adding all keyword
  27. arguments to it. The transformation is as follows:
  28. * All keyword parameter names are turned to lowercase, and underscores
  29. are converted to hyphens.
  30. * If the value of a parameter is ``True`` (exactly ``True``, not just a
  31. true value), only the parameter name is added to the header.
  32. * All other parameters are added with their value, after applying
  33. ``str()`` to it.
  34. .. function:: get_max_age(response)
  35. Returns the max-age from the response Cache-Control header as an integer
  36. (or ``None`` if it wasn't found or wasn't an integer).
  37. .. function:: patch_response_headers(response, cache_timeout=None)
  38. Adds some useful headers to the given ``HttpResponse`` object:
  39. * ``ETag``
  40. * ``Expires``
  41. * ``Cache-Control``
  42. Each header is only added if it isn't already set.
  43. ``cache_timeout`` is in seconds. The :setting:`CACHE_MIDDLEWARE_SECONDS`
  44. setting is used by default.
  45. .. versionchanged:: 1.11
  46. In older versions, the ``Last-Modified`` header was also set.
  47. .. deprecated:: 1.11
  48. Since the ``USE_ETAGS`` setting is deprecated, this function won't set
  49. the ``ETag`` header when the deprecation ends in Django 2.1.
  50. .. function:: add_never_cache_headers(response)
  51. Adds a ``Cache-Control: max-age=0, no-cache, no-store, must-revalidate``
  52. header to a response to indicate that a page should never be cached.
  53. .. function:: patch_vary_headers(response, newheaders)
  54. Adds (or updates) the ``Vary`` header in the given ``HttpResponse`` object.
  55. ``newheaders`` is a list of header names that should be in ``Vary``.
  56. Existing headers in ``Vary`` aren't removed.
  57. .. function:: get_cache_key(request, key_prefix=None)
  58. Returns a cache key based on the request path. It can be used in the
  59. request phase because it pulls the list of headers to take into account
  60. from the global path registry and uses those to build a cache key to
  61. check against.
  62. If there is no headerlist stored, the page needs to be rebuilt, so this
  63. function returns ``None``.
  64. .. function:: learn_cache_key(request, response, cache_timeout=None, key_prefix=None)
  65. Learns what headers to take into account for some request path from the
  66. response object. It stores those headers in a global path registry so that
  67. later access to that path will know what headers to take into account
  68. without building the response object itself. The headers are named in
  69. the ``Vary`` header of the response, but we want to prevent response
  70. generation.
  71. The list of headers to use for cache key generation is stored in the same
  72. cache as the pages themselves. If the cache ages some data out of the
  73. cache, this just means that we have to build the response once to get at
  74. the Vary header and so at the list of headers to use for the cache key.
  75. ``django.utils.dateparse``
  76. ==========================
  77. .. module:: django.utils.dateparse
  78. :synopsis: Functions to parse datetime objects.
  79. The functions defined in this module share the following properties:
  80. - They raise :exc:`ValueError` if their input is well formatted but isn't a
  81. valid date or time.
  82. - They return ``None`` if it isn't well formatted at all.
  83. - They accept up to picosecond resolution in input, but they truncate it to
  84. microseconds, since that's what Python supports.
  85. .. function:: parse_date(value)
  86. Parses a string and returns a :class:`datetime.date`.
  87. .. function:: parse_time(value)
  88. Parses a string and returns a :class:`datetime.time`.
  89. UTC offsets aren't supported; if ``value`` describes one, the result is
  90. ``None``.
  91. .. function:: parse_datetime(value)
  92. Parses a string and returns a :class:`datetime.datetime`.
  93. UTC offsets are supported; if ``value`` describes one, the result's
  94. ``tzinfo`` attribute is a :class:`~django.utils.timezone.FixedOffset`
  95. instance.
  96. .. function:: parse_duration(value)
  97. Parses a string and returns a :class:`datetime.timedelta`.
  98. Expects data in the format ``"DD HH:MM:SS.uuuuuu"`` or as specified by ISO
  99. 8601 (e.g. ``P4DT1H15M20S`` which is equivalent to ``4 1:15:20``).
  100. ``django.utils.decorators``
  101. ===========================
  102. .. module:: django.utils.decorators
  103. :synopsis: Functions that help with creating decorators for views.
  104. .. function:: method_decorator(decorator, name='')
  105. Converts a function decorator into a method decorator. It can be used to
  106. decorate methods or classes; in the latter case, ``name`` is the name
  107. of the method to be decorated and is required.
  108. ``decorator`` may also be a list or tuple of functions. They are wrapped
  109. in reverse order so that the call order is the order in which the functions
  110. appear in the list/tuple.
  111. See :ref:`decorating class based views <decorating-class-based-views>` for
  112. example usage.
  113. .. function:: decorator_from_middleware(middleware_class)
  114. Given a middleware class, returns a view decorator. This lets you use
  115. middleware functionality on a per-view basis. The middleware is created
  116. with no params passed.
  117. It assumes middleware that's compatible with the old style of Django 1.9
  118. and earlier (having methods like ``process_request()``,
  119. ``process_exception()``, and ``process_response()``).
  120. .. function:: decorator_from_middleware_with_args(middleware_class)
  121. Like ``decorator_from_middleware``, but returns a function
  122. that accepts the arguments to be passed to the middleware_class.
  123. For example, the :func:`~django.views.decorators.cache.cache_page`
  124. decorator is created from the ``CacheMiddleware`` like this::
  125. cache_page = decorator_from_middleware_with_args(CacheMiddleware)
  126. @cache_page(3600)
  127. def my_view(request):
  128. pass
  129. ``django.utils.encoding``
  130. =========================
  131. .. module:: django.utils.encoding
  132. :synopsis: A series of helper functions to manage character encoding.
  133. .. function:: python_2_unicode_compatible
  134. A decorator that defines ``__unicode__`` and ``__str__`` methods under
  135. Python 2. Under Python 3 it does nothing.
  136. To support Python 2 and 3 with a single code base, define a ``__str__``
  137. method returning text (use ``six.text_type()`` if you're doing some
  138. casting) and apply this decorator to the class.
  139. .. function:: smart_text(s, encoding='utf-8', strings_only=False, errors='strict')
  140. Returns a ``str`` object representing ``s``. Treats bytestrings using the
  141. ``encoding`` codec.
  142. If ``strings_only`` is ``True``, don't convert (some) non-string-like
  143. objects.
  144. .. function:: is_protected_type(obj)
  145. Determine if the object instance is of a protected type.
  146. Objects of protected types are preserved as-is when passed to
  147. ``force_text(strings_only=True)``.
  148. .. function:: force_text(s, encoding='utf-8', strings_only=False, errors='strict')
  149. Similar to ``smart_text``, except that lazy instances are resolved to
  150. strings, rather than kept as lazy objects.
  151. If ``strings_only`` is ``True``, don't convert (some) non-string-like
  152. objects.
  153. .. function:: smart_bytes(s, encoding='utf-8', strings_only=False, errors='strict')
  154. Returns a bytestring version of ``s``, encoded as specified in
  155. ``encoding``.
  156. If ``strings_only`` is ``True``, don't convert (some) non-string-like
  157. objects.
  158. .. function:: force_bytes(s, encoding='utf-8', strings_only=False, errors='strict')
  159. Similar to ``smart_bytes``, except that lazy instances are resolved to
  160. bytestrings, rather than kept as lazy objects.
  161. If ``strings_only`` is ``True``, don't convert (some) non-string-like
  162. objects.
  163. .. function:: smart_str(s, encoding='utf-8', strings_only=False, errors='strict')
  164. Alias of :func:`smart_text`. This function returns a ``str`` or a lazy
  165. string.
  166. For instance, this is suitable for writing to :data:`sys.stdout`.
  167. Alias of :func:`smart_bytes` on Python 2 (in older versions of Django that
  168. support it).
  169. .. function:: force_str(s, encoding='utf-8', strings_only=False, errors='strict')
  170. Alias of :func:`force_text`. This function always returns a ``str``.
  171. Alias of :func:`force_bytes` on Python 2 (in older versions of Django that
  172. support it).
  173. .. function:: iri_to_uri(iri)
  174. Convert an Internationalized Resource Identifier (IRI) portion to a URI
  175. portion that is suitable for inclusion in a URL.
  176. This is the algorithm from section 3.1 of :rfc:`3987#section-3.1`, slightly
  177. simplified since the input is assumed to be a string rather than an
  178. arbitrary byte stream.
  179. Takes an IRI (string or UTF-8 bytes) and returns a string containing the
  180. encoded result.
  181. .. function:: uri_to_iri(uri)
  182. Converts a Uniform Resource Identifier into an Internationalized Resource
  183. Identifier.
  184. This is an algorithm from section 3.2 of :rfc:`3987#section-3.2`.
  185. Takes a URI in ASCII bytes and returns a string containing the encoded
  186. result.
  187. .. function:: filepath_to_uri(path)
  188. Convert a file system path to a URI portion that is suitable for inclusion
  189. in a URL. The path is assumed to be either UTF-8 bytes or string.
  190. This method will encode certain characters that would normally be
  191. recognized as special characters for URIs. Note that this method does not
  192. encode the ' character, as it is a valid character within URIs. See
  193. ``encodeURIComponent()`` JavaScript function for more details.
  194. Returns an ASCII string containing the encoded result.
  195. .. function:: escape_uri_path(path)
  196. Escapes the unsafe characters from the path portion of a Uniform Resource
  197. Identifier (URI).
  198. ``django.utils.feedgenerator``
  199. ==============================
  200. .. module:: django.utils.feedgenerator
  201. :synopsis: Syndication feed generation library -- used for generating RSS, etc.
  202. Sample usage::
  203. >>> from django.utils import feedgenerator
  204. >>> feed = feedgenerator.Rss201rev2Feed(
  205. ... title="Poynter E-Media Tidbits",
  206. ... link="http://www.poynter.org/column.asp?id=31",
  207. ... description="A group Weblog by the sharpest minds in online media/journalism/publishing.",
  208. ... language="en",
  209. ... )
  210. >>> feed.add_item(
  211. ... title="Hello",
  212. ... link="http://www.holovaty.com/test/",
  213. ... description="Testing.",
  214. ... )
  215. >>> with open('test.rss', 'w') as fp:
  216. ... feed.write(fp, 'utf-8')
  217. For simplifying the selection of a generator use ``feedgenerator.DefaultFeed``
  218. which is currently ``Rss201rev2Feed``
  219. For definitions of the different versions of RSS, see:
  220. https://web.archive.org/web/20110718035220/http://diveintomark.org/archives/2004/02/04/incompatible-rss
  221. .. function:: get_tag_uri(url, date)
  222. Creates a TagURI.
  223. See https://web.archive.org/web/20110514113830/http://diveintomark.org/archives/2004/05/28/howto-atom-id
  224. ``SyndicationFeed``
  225. -------------------
  226. .. class:: SyndicationFeed
  227. Base class for all syndication feeds. Subclasses should provide write().
  228. .. method:: __init__(title, link, description, language=None, author_email=None, author_name=None, author_link=None, subtitle=None, categories=None, feed_url=None, feed_copyright=None, feed_guid=None, ttl=None, **kwargs)
  229. Initialize the feed with the given dictionary of metadata, which applies
  230. to the entire feed.
  231. Any extra keyword arguments you pass to ``__init__`` will be stored in
  232. ``self.feed``.
  233. All parameters should be strings, except ``categories``, which should
  234. be a sequence of strings.
  235. .. method:: add_item(title, link, description, author_email=None, author_name=None, author_link=None, pubdate=None, comments=None, unique_id=None, categories=(), item_copyright=None, ttl=None, updateddate=None, enclosures=None, **kwargs)
  236. Adds an item to the feed. All args are expected to be strings except
  237. ``pubdate`` and ``updateddate``, which are ``datetime.datetime``
  238. objects, and ``enclosures``, which is a list of ``Enclosure`` instances.
  239. .. method:: num_items()
  240. .. method:: root_attributes()
  241. Return extra attributes to place on the root (i.e. feed/channel)
  242. element. Called from ``write()``.
  243. .. method:: add_root_elements(handler)
  244. Add elements in the root (i.e. feed/channel) element.
  245. Called from ``write()``.
  246. .. method:: item_attributes(item)
  247. Return extra attributes to place on each item (i.e. item/entry)
  248. element.
  249. .. method:: add_item_elements(handler, item)
  250. Add elements on each item (i.e. item/entry) element.
  251. .. method:: write(outfile, encoding)
  252. Outputs the feed in the given encoding to ``outfile``, which is a
  253. file-like object. Subclasses should override this.
  254. .. method:: writeString(encoding)
  255. Returns the feed in the given encoding as a string.
  256. .. method:: latest_post_date()
  257. Returns the latest ``pubdate`` or ``updateddate`` for all items in the
  258. feed. If no items have either of these attributes this returns the
  259. current UTC date/time.
  260. .. versionchanged:: 1.11
  261. In older versions, it returned the current date/time without any
  262. timezone information.
  263. ``Enclosure``
  264. -------------
  265. .. class:: Enclosure
  266. Represents an RSS enclosure
  267. ``RssFeed``
  268. -----------
  269. .. class:: RssFeed(SyndicationFeed)
  270. ``Rss201rev2Feed``
  271. ------------------
  272. .. class:: Rss201rev2Feed(RssFeed)
  273. Spec: https://cyber.law.harvard.edu/rss/rss.html
  274. ``RssUserland091Feed``
  275. ----------------------
  276. .. class:: RssUserland091Feed(RssFeed)
  277. Spec: http://backend.userland.com/rss091
  278. ``Atom1Feed``
  279. -------------
  280. .. class:: Atom1Feed(SyndicationFeed)
  281. Spec: https://tools.ietf.org/html/rfc4287
  282. ``django.utils.functional``
  283. ===========================
  284. .. module:: django.utils.functional
  285. :synopsis: Functional programming tools.
  286. .. class:: cached_property(object, name)
  287. The ``@cached_property`` decorator caches the result of a method with a
  288. single ``self`` argument as a property. The cached result will persist
  289. as long as the instance does, so if the instance is passed around and the
  290. function subsequently invoked, the cached result will be returned.
  291. Consider a typical case, where a view might need to call a model's method
  292. to perform some computation, before placing the model instance into the
  293. context, where the template might invoke the method once more::
  294. # the model
  295. class Person(models.Model):
  296. def friends(self):
  297. # expensive computation
  298. ...
  299. return friends
  300. # in the view:
  301. if person.friends():
  302. ...
  303. And in the template you would have:
  304. .. code-block:: html+django
  305. {% for friend in person.friends %}
  306. Here, ``friends()`` will be called twice. Since the instance ``person`` in
  307. the view and the template are the same, ``@cached_property`` can avoid
  308. that::
  309. from django.utils.functional import cached_property
  310. @cached_property
  311. def friends(self):
  312. # expensive computation
  313. ...
  314. return friends
  315. Note that as the method is now a property, in Python code it will need to
  316. be invoked appropriately::
  317. # in the view:
  318. if person.friends:
  319. ...
  320. The cached value can be treated like an ordinary attribute of the instance::
  321. # clear it, requiring re-computation next time it's called
  322. del person.friends # or delattr(person, "friends")
  323. # set a value manually, that will persist on the instance until cleared
  324. person.friends = ["Huckleberry Finn", "Tom Sawyer"]
  325. As well as offering potential performance advantages, ``@cached_property``
  326. can ensure that an attribute's value does not change unexpectedly over the
  327. life of an instance. This could occur with a method whose computation is
  328. based on ``datetime.now()``, or simply if a change were saved to the
  329. database by some other process in the brief interval between subsequent
  330. invocations of a method on the same instance.
  331. You can use the ``name`` argument to make cached properties of other
  332. methods. For example, if you had an expensive ``get_friends()`` method and
  333. wanted to allow calling it without retrieving the cached value, you could
  334. write::
  335. friends = cached_property(get_friends, name='friends')
  336. While ``person.get_friends()`` will recompute the friends on each call, the
  337. value of the cached property will persist until you delete it as described
  338. above::
  339. x = person.friends # calls first time
  340. y = person.get_friends() # calls again
  341. z = person.friends # does not call
  342. x is z # is True
  343. .. function:: keep_lazy(func, *resultclasses)
  344. Django offers many utility functions (particularly in ``django.utils``)
  345. that take a string as their first argument and do something to that string.
  346. These functions are used by template filters as well as directly in other
  347. code.
  348. If you write your own similar functions and deal with translations, you'll
  349. face the problem of what to do when the first argument is a lazy
  350. translation object. You don't want to convert it to a string immediately,
  351. because you might be using this function outside of a view (and hence the
  352. current thread's locale setting will not be correct).
  353. For cases like this, use the ``django.utils.functional.keep_lazy()``
  354. decorator. It modifies the function so that *if* it's called with a lazy
  355. translation as one of its arguments, the function evaluation is delayed
  356. until it needs to be converted to a string.
  357. For example::
  358. from django.utils.functional import keep_lazy, keep_lazy_text
  359. def fancy_utility_function(s, ...):
  360. # Do some conversion on string 's'
  361. ...
  362. fancy_utility_function = keep_lazy(str)(fancy_utility_function)
  363. # Or more succinctly:
  364. @keep_lazy(str)
  365. def fancy_utility_function(s, ...):
  366. ...
  367. The ``keep_lazy()`` decorator takes a number of extra arguments (``*args``)
  368. specifying the type(s) that the original function can return. A common
  369. use case is to have functions that return text. For these, you can just
  370. pass the ``str`` type to ``keep_lazy`` (or even simpler, use the
  371. :func:`keep_lazy_text` decorator described in the next section).
  372. Using this decorator means you can write your function and assume that the
  373. input is a proper string, then add support for lazy translation objects at
  374. the end.
  375. .. function:: keep_lazy_text(func)
  376. A shortcut for ``keep_lazy(str)(func)``.
  377. If you have a function that returns text and you want to be able to take
  378. lazy arguments while delaying their evaluation, simply use this decorator::
  379. from django.utils.functional import keep_lazy, keep_lazy_text
  380. # Our previous example was:
  381. @keep_lazy(str)
  382. def fancy_utility_function(s, ...):
  383. ...
  384. # Which can be rewritten as:
  385. @keep_lazy_text
  386. def fancy_utility_function(s, ...):
  387. ...
  388. ``django.utils.html``
  389. =====================
  390. .. module:: django.utils.html
  391. :synopsis: HTML helper functions
  392. Usually you should build up HTML using Django's templates to make use of its
  393. autoescape mechanism, using the utilities in :mod:`django.utils.safestring`
  394. where appropriate. This module provides some additional low level utilities for
  395. escaping HTML.
  396. .. function:: escape(text)
  397. Returns the given text with ampersands, quotes and angle brackets encoded
  398. for use in HTML. The input is first passed through
  399. :func:`~django.utils.encoding.force_text` and the output has
  400. :func:`~django.utils.safestring.mark_safe` applied.
  401. .. function:: conditional_escape(text)
  402. Similar to ``escape()``, except that it doesn't operate on pre-escaped
  403. strings, so it will not double escape.
  404. .. function:: format_html(format_string, *args, **kwargs)
  405. This is similar to :meth:`str.format`, except that it is appropriate for
  406. building up HTML fragments. All args and kwargs are passed through
  407. :func:`conditional_escape` before being passed to ``str.format()``.
  408. For the case of building up small HTML fragments, this function is to be
  409. preferred over string interpolation using ``%`` or ``str.format()``
  410. directly, because it applies escaping to all arguments - just like the
  411. template system applies escaping by default.
  412. So, instead of writing::
  413. mark_safe("%s <b>%s</b> %s" % (
  414. some_html,
  415. escape(some_text),
  416. escape(some_other_text),
  417. ))
  418. You should instead use::
  419. format_html("{} <b>{}</b> {}",
  420. mark_safe(some_html),
  421. some_text,
  422. some_other_text,
  423. )
  424. This has the advantage that you don't need to apply :func:`escape` to each
  425. argument and risk a bug and an XSS vulnerability if you forget one.
  426. Note that although this function uses ``str.format()`` to do the
  427. interpolation, some of the formatting options provided by ``str.format()``
  428. (e.g. number formatting) will not work, since all arguments are passed
  429. through :func:`conditional_escape` which (ultimately) calls
  430. :func:`~django.utils.encoding.force_text` on the values.
  431. .. function:: format_html_join(sep, format_string, args_generator)
  432. A wrapper of :func:`format_html`, for the common case of a group of
  433. arguments that need to be formatted using the same format string, and then
  434. joined using ``sep``. ``sep`` is also passed through
  435. :func:`conditional_escape`.
  436. ``args_generator`` should be an iterator that returns the sequence of
  437. ``args`` that will be passed to :func:`format_html`. For example::
  438. format_html_join(
  439. '\n', "<li>{} {}</li>",
  440. ((u.first_name, u.last_name) for u in users)
  441. )
  442. .. function:: strip_tags(value)
  443. Tries to remove anything that looks like an HTML tag from the string, that
  444. is anything contained within ``<>``.
  445. Absolutely NO guarantee is provided about the resulting string being
  446. HTML safe. So NEVER mark safe the result of a ``strip_tag`` call without
  447. escaping it first, for example with :func:`~django.utils.html.escape`.
  448. For example::
  449. strip_tags(value)
  450. If ``value`` is ``"<b>Joel</b> <button>is</button> a <span>slug</span>"``
  451. the return value will be ``"Joel is a slug"``.
  452. If you are looking for a more robust solution, take a look at the `bleach
  453. <https://pypi.python.org/pypi/bleach>`_ Python library.
  454. .. function:: html_safe()
  455. The ``__html__()`` method on a class helps non-Django templates detect
  456. classes whose output doesn't require HTML escaping.
  457. This decorator defines the ``__html__()`` method on the decorated class
  458. by wrapping ``__str__()`` in :meth:`~django.utils.safestring.mark_safe`.
  459. Ensure the ``__str__()`` method does indeed return text that doesn't
  460. require HTML escaping.
  461. ``django.utils.http``
  462. =====================
  463. .. module:: django.utils.http
  464. :synopsis: HTTP helper functions. (URL encoding, cookie handling, ...)
  465. .. function:: urlencode(query, doseq=0)
  466. A version of Python's :func:`urllib.parse.urlencode` function that can
  467. operate on ``MultiValueDict`` and non-string values.
  468. .. function:: cookie_date(epoch_seconds=None)
  469. Formats the time to ensure compatibility with Netscape's cookie standard.
  470. Accepts a floating point number expressed in seconds since the epoch in
  471. UTC--such as that outputted by ``time.time()``. If set to ``None``,
  472. defaults to the current time.
  473. Outputs a string in the format ``Wdy, DD-Mon-YYYY HH:MM:SS GMT``.
  474. .. function:: http_date(epoch_seconds=None)
  475. Formats the time to match the :rfc:`1123` date format as specified by HTTP
  476. :rfc:`7231#section-7.1.1.1`.
  477. Accepts a floating point number expressed in seconds since the epoch in
  478. UTC--such as that outputted by ``time.time()``. If set to ``None``,
  479. defaults to the current time.
  480. Outputs a string in the format ``Wdy, DD Mon YYYY HH:MM:SS GMT``.
  481. .. function:: base36_to_int(s)
  482. Converts a base 36 string to an integer.
  483. .. function:: int_to_base36(i)
  484. Converts a positive integer to a base 36 string.
  485. .. _sys.maxint: https://docs.python.org/2/library/sys.html#sys.maxint
  486. .. function:: urlsafe_base64_encode(s)
  487. Encodes a bytestring in base64 for use in URLs, stripping any trailing
  488. equal signs.
  489. .. function:: urlsafe_base64_decode(s)
  490. Decodes a base64 encoded string, adding back any trailing equal signs that
  491. might have been stripped.
  492. ``django.utils.module_loading``
  493. ===============================
  494. .. module:: django.utils.module_loading
  495. :synopsis: Functions for working with Python modules.
  496. Functions for working with Python modules.
  497. .. function:: import_string(dotted_path)
  498. Imports a dotted module path and returns the attribute/class designated by
  499. the last name in the path. Raises ``ImportError`` if the import failed. For
  500. example::
  501. from django.utils.module_loading import import_string
  502. ValidationError = import_string('django.core.exceptions.ValidationError')
  503. is equivalent to::
  504. from django.core.exceptions import ValidationError
  505. ``django.utils.safestring``
  506. ===========================
  507. .. module:: django.utils.safestring
  508. :synopsis: Functions and classes for working with strings that can be displayed safely without further escaping in HTML.
  509. Functions and classes for working with "safe strings": strings that can be
  510. displayed safely without further escaping in HTML. Marking something as a "safe
  511. string" means that the producer of the string has already turned characters
  512. that should not be interpreted by the HTML engine (e.g. '<') into the
  513. appropriate entities.
  514. .. class:: SafeString
  515. A ``str`` subclass that has been specifically marked as "safe"
  516. (requires no further escaping) for HTML output purposes. Alias of
  517. :class:`SafeText`.
  518. .. class:: SafeText
  519. A ``str`` subclass that has been specifically marked as "safe" for HTML
  520. output purposes.
  521. .. function:: mark_safe(s)
  522. Explicitly mark a string as safe for (HTML) output purposes. The returned
  523. object can be used everywhere a string is appropriate.
  524. Can be called multiple times on a single string.
  525. Can also be used as a decorator.
  526. For building up fragments of HTML, you should normally be using
  527. :func:`django.utils.html.format_html` instead.
  528. String marked safe will become unsafe again if modified. For example::
  529. >>> mystr = '<b>Hello World</b> '
  530. >>> mystr = mark_safe(mystr)
  531. >>> type(mystr)
  532. <class 'django.utils.safestring.SafeText'>
  533. >>> mystr = mystr.strip() # removing whitespace
  534. >>> type(mystr)
  535. <type 'str'>
  536. .. versionchanged:: 1.11
  537. Added support for decorator usage.
  538. ``django.utils.text``
  539. =====================
  540. .. module:: django.utils.text
  541. :synopsis: Text manipulation.
  542. .. function:: format_lazy(format_string, *args, **kwargs)
  543. .. versionadded:: 1.11
  544. A version of :meth:`str.format` for when ``format_string``, ``args``,
  545. and/or ``kwargs`` contain lazy objects. The first argument is the string to
  546. be formatted. For example::
  547. from django.utils.text import format_lazy
  548. from django.utils.translation import pgettext_lazy
  549. urlpatterns = [
  550. url(format_lazy(r'{person}/(?P<pk>\d+)/$', person=pgettext_lazy('URL', 'person')),
  551. PersonDetailView.as_view()),
  552. ]
  553. This example allows translators to translate part of the URL. If "person"
  554. is translated to "persona", the regular expression will match
  555. ``persona/(?P<pk>\d+)/$``, e.g. ``persona/5/``.
  556. .. function:: slugify(allow_unicode=False)
  557. Converts to ASCII if ``allow_unicode`` is ``False`` (default). Converts spaces to
  558. hyphens. Removes characters that aren't alphanumerics, underscores, or
  559. hyphens. Converts to lowercase. Also strips leading and trailing whitespace.
  560. For example::
  561. slugify(value)
  562. If ``value`` is ``"Joel is a slug"``, the output will be
  563. ``"joel-is-a-slug"``.
  564. You can set the ``allow_unicode`` parameter to ``True``, if you want to
  565. allow Unicode characters::
  566. slugify(value, allow_unicode=True)
  567. If ``value`` is ``"你好 World"``, the output will be ``"你好-world"``.
  568. .. _time-zone-selection-functions:
  569. ``django.utils.timezone``
  570. =========================
  571. .. module:: django.utils.timezone
  572. :synopsis: Timezone support.
  573. .. data:: utc
  574. :class:`~datetime.tzinfo` instance that represents UTC.
  575. .. class:: FixedOffset(offset=None, name=None)
  576. A :class:`~datetime.tzinfo` subclass modeling a fixed offset from UTC.
  577. ``offset`` is an integer number of minutes east of UTC.
  578. .. function:: get_fixed_timezone(offset)
  579. Returns a :class:`~datetime.tzinfo` instance that represents a time zone
  580. with a fixed offset from UTC.
  581. ``offset`` is a :class:`datetime.timedelta` or an integer number of
  582. minutes. Use positive values for time zones east of UTC and negative
  583. values for west of UTC.
  584. .. function:: get_default_timezone()
  585. Returns a :class:`~datetime.tzinfo` instance that represents the
  586. :ref:`default time zone <default-current-time-zone>`.
  587. .. function:: get_default_timezone_name()
  588. Returns the name of the :ref:`default time zone
  589. <default-current-time-zone>`.
  590. .. function:: get_current_timezone()
  591. Returns a :class:`~datetime.tzinfo` instance that represents the
  592. :ref:`current time zone <default-current-time-zone>`.
  593. .. function:: get_current_timezone_name()
  594. Returns the name of the :ref:`current time zone
  595. <default-current-time-zone>`.
  596. .. function:: activate(timezone)
  597. Sets the :ref:`current time zone <default-current-time-zone>`. The
  598. ``timezone`` argument must be an instance of a :class:`~datetime.tzinfo`
  599. subclass or a time zone name.
  600. .. function:: deactivate()
  601. Unsets the :ref:`current time zone <default-current-time-zone>`.
  602. .. function:: override(timezone)
  603. This is a Python context manager that sets the :ref:`current time zone
  604. <default-current-time-zone>` on entry with :func:`activate()`, and restores
  605. the previously active time zone on exit. If the ``timezone`` argument is
  606. ``None``, the :ref:`current time zone <default-current-time-zone>` is unset
  607. on entry with :func:`deactivate()` instead.
  608. ``override`` is also usable as a function decorator.
  609. .. function:: localtime(value=None, timezone=None)
  610. Converts an aware :class:`~datetime.datetime` to a different time zone,
  611. by default the :ref:`current time zone <default-current-time-zone>`.
  612. When ``value`` is omitted, it defaults to :func:`now`.
  613. This function doesn't work on naive datetimes; use :func:`make_aware`
  614. instead.
  615. .. versionchanged:: 1.11
  616. In older versions, ``value`` is a required argument.
  617. .. function:: localdate(value=None, timezone=None)
  618. .. versionadded:: 1.11
  619. Uses :func:`localtime` to convert an aware :class:`~datetime.datetime` to a
  620. :meth:`~datetime.datetime.date` in a different time zone, by default the
  621. :ref:`current time zone <default-current-time-zone>`.
  622. When ``value`` is omitted, it defaults to :func:`now`.
  623. This function doesn't work on naive datetimes.
  624. .. function:: now()
  625. Returns a :class:`~datetime.datetime` that represents the
  626. current point in time. Exactly what's returned depends on the value of
  627. :setting:`USE_TZ`:
  628. * If :setting:`USE_TZ` is ``False``, this will be a
  629. :ref:`naive <naive_vs_aware_datetimes>` datetime (i.e. a datetime
  630. without an associated timezone) that represents the current time
  631. in the system's local timezone.
  632. * If :setting:`USE_TZ` is ``True``, this will be an
  633. :ref:`aware <naive_vs_aware_datetimes>` datetime representing the
  634. current time in UTC. Note that :func:`now` will always return
  635. times in UTC regardless of the value of :setting:`TIME_ZONE`;
  636. you can use :func:`localtime` to convert to a time in the current
  637. time zone.
  638. .. function:: is_aware(value)
  639. Returns ``True`` if ``value`` is aware, ``False`` if it is naive. This
  640. function assumes that ``value`` is a :class:`~datetime.datetime`.
  641. .. function:: is_naive(value)
  642. Returns ``True`` if ``value`` is naive, ``False`` if it is aware. This
  643. function assumes that ``value`` is a :class:`~datetime.datetime`.
  644. .. function:: make_aware(value, timezone=None, is_dst=None)
  645. Returns an aware :class:`~datetime.datetime` that represents the same
  646. point in time as ``value`` in ``timezone``, ``value`` being a naive
  647. :class:`~datetime.datetime`. If ``timezone`` is set to ``None``, it
  648. defaults to the :ref:`current time zone <default-current-time-zone>`.
  649. The ``pytz.AmbiguousTimeError`` exception is raised if you try to make
  650. ``value`` aware during a DST transition where the same time occurs twice
  651. (when reverting from DST). Setting ``is_dst`` to ``True`` or ``False`` will
  652. avoid the exception by choosing if the time is pre-transition or
  653. post-transition respectively.
  654. The ``pytz.NonExistentTimeError`` exception is raised if you try to make
  655. ``value`` aware during a DST transition such that the time never occurred
  656. (when entering into DST). Setting ``is_dst`` to ``True`` or ``False`` will
  657. avoid the exception by moving the hour backwards or forwards by 1
  658. respectively. For example, ``is_dst=True`` would change a nonexistent
  659. time of 2:30 to 1:30 and ``is_dst=False`` would change the time to 3:30.
  660. .. function:: make_naive(value, timezone=None)
  661. Returns an naive :class:`~datetime.datetime` that represents in
  662. ``timezone`` the same point in time as ``value``, ``value`` being an
  663. aware :class:`~datetime.datetime`. If ``timezone`` is set to ``None``, it
  664. defaults to the :ref:`current time zone <default-current-time-zone>`.
  665. ``django.utils.translation``
  666. ============================
  667. .. module:: django.utils.translation
  668. :synopsis: Internationalization support.
  669. For a complete discussion on the usage of the following see the
  670. :doc:`translation documentation </topics/i18n/translation>`.
  671. The ``u`` prefix on the functions below comes from a difference in Python 2
  672. between unicode and bytestrings. If your code doesn't support Python 2, use the
  673. functions without the ``u``.
  674. .. function:: gettext(message)
  675. .. function:: ugettext(message)
  676. Translates ``message`` and returns it as a string.
  677. .. function:: pgettext(context, message)
  678. Translates ``message`` given the ``context`` and returns it as a string.
  679. For more information, see :ref:`contextual-markers`.
  680. .. function:: gettext_lazy(message)
  681. .. function:: ugettext_lazy(message)
  682. .. function:: pgettext_lazy(context, message)
  683. Same as the non-lazy versions above, but using lazy execution.
  684. See :ref:`lazy translations documentation <lazy-translations>`.
  685. .. function:: gettext_noop(message)
  686. .. function:: ugettext_noop(message)
  687. Marks strings for translation but doesn't translate them now. This can be
  688. used to store strings in global variables that should stay in the base
  689. language (because they might be used externally) and will be translated
  690. later.
  691. .. function:: ngettext(singular, plural, number)
  692. .. function:: ungettext(singular, plural, number)
  693. Translates ``singular`` and ``plural`` and returns the appropriate string
  694. based on ``number``.
  695. .. function:: npgettext(context, singular, plural, number)
  696. Translates ``singular`` and ``plural`` and returns the appropriate string
  697. based on ``number`` and the ``context``.
  698. .. function:: ngettext_lazy(singular, plural, number)
  699. .. function:: ungettext_lazy(singular, plural, number)
  700. .. function:: npgettext_lazy(context, singular, plural, number)
  701. Same as the non-lazy versions above, but using lazy execution.
  702. See :ref:`lazy translations documentation <lazy-translations>`.
  703. .. function:: string_concat(*strings)
  704. .. deprecated:: 1.11
  705. Use :meth:`django.utils.text.format_lazy` instead.
  706. ``string_concat(*strings)`` can be replaced by
  707. ``format_lazy('{}' * len(strings), *strings)``.
  708. Lazy variant of string concatenation, needed for translations that are
  709. constructed from multiple parts.
  710. .. function:: activate(language)
  711. Fetches the translation object for a given language and activates it as
  712. the current translation object for the current thread.
  713. .. function:: deactivate()
  714. Deactivates the currently active translation object so that further _ calls
  715. will resolve against the default translation object, again.
  716. .. function:: deactivate_all()
  717. Makes the active translation object a ``NullTranslations()`` instance.
  718. This is useful when we want delayed translations to appear as the original
  719. string for some reason.
  720. .. function:: override(language, deactivate=False)
  721. A Python context manager that uses
  722. :func:`django.utils.translation.activate` to fetch the translation object
  723. for a given language, activates it as the translation object for the
  724. current thread and reactivates the previous active language on exit.
  725. Optionally, it can simply deactivate the temporary translation on exit with
  726. :func:`django.utils.translation.deactivate` if the ``deactivate`` argument
  727. is ``True``. If you pass ``None`` as the language argument, a
  728. ``NullTranslations()`` instance is activated within the context.
  729. ``override`` is also usable as a function decorator.
  730. .. function:: check_for_language(lang_code)
  731. Checks whether there is a global language file for the given language
  732. code (e.g. 'fr', 'pt_BR'). This is used to decide whether a user-provided
  733. language is available.
  734. .. function:: get_language()
  735. Returns the currently selected language code. Returns ``None`` if
  736. translations are temporarily deactivated (by :func:`deactivate_all()` or
  737. when ``None`` is passed to :func:`override()`).
  738. .. function:: get_language_bidi()
  739. Returns selected language's BiDi layout:
  740. * ``False`` = left-to-right layout
  741. * ``True`` = right-to-left layout
  742. .. function:: get_language_from_request(request, check_path=False)
  743. Analyzes the request to find what language the user wants the system to
  744. show. Only languages listed in settings.LANGUAGES are taken into account.
  745. If the user requests a sublanguage where we have a main language, we send
  746. out the main language.
  747. If ``check_path`` is ``True``, the function first checks the requested URL
  748. for whether its path begins with a language code listed in the
  749. :setting:`LANGUAGES` setting.
  750. .. function:: to_locale(language)
  751. Turns a language name (en-us) into a locale name (en_US).
  752. .. function:: templatize(src)
  753. Turns a Django template into something that is understood by ``xgettext``.
  754. It does so by translating the Django translation tags into standard
  755. ``gettext`` function invocations.
  756. .. data:: LANGUAGE_SESSION_KEY
  757. Session key under which the active language for the current session is
  758. stored.