utils.txt 40 KB

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