unicode.txt 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389
  1. ============
  2. Unicode data
  3. ============
  4. Django natively supports Unicode data everywhere. Providing your database can
  5. somehow store the data, you can safely pass around Unicode strings to
  6. templates, models and the database.
  7. This document tells you what you need to know if you're writing applications
  8. that use data or templates that are encoded in something other than ASCII.
  9. Creating the database
  10. =====================
  11. Make sure your database is configured to be able to store arbitrary string
  12. data. Normally, this means giving it an encoding of UTF-8 or UTF-16. If you use
  13. a more restrictive encoding -- for example, latin1 (iso8859-1) -- you won't be
  14. able to store certain characters in the database, and information will be lost.
  15. * MySQL users, refer to the `MySQL manual`_ (section 9.1.3.2 for MySQL 5.1)
  16. for details on how to set or alter the database character set encoding.
  17. * PostgreSQL users, refer to the `PostgreSQL manual`_ (section 22.3.2 in
  18. PostgreSQL 9) for details on creating databases with the correct encoding.
  19. * SQLite users, there is nothing you need to do. SQLite always uses UTF-8
  20. for internal encoding.
  21. .. _MySQL manual: http://dev.mysql.com/doc/refman/5.1/en/charset-database.html
  22. .. _PostgreSQL manual: http://www.postgresql.org/docs/current/static/multibyte.html
  23. All of Django's database backends automatically convert Unicode strings into
  24. the appropriate encoding for talking to the database. They also automatically
  25. convert strings retrieved from the database into Python Unicode strings. You
  26. don't even need to tell Django what encoding your database uses: that is
  27. handled transparently.
  28. For more, see the section "The database API" below.
  29. General string handling
  30. =======================
  31. Whenever you use strings with Django -- e.g., in database lookups, template
  32. rendering or anywhere else -- you have two choices for encoding those strings.
  33. You can use Unicode strings, or you can use normal strings (sometimes called
  34. "bytestrings") that are encoded using UTF-8.
  35. .. versionchanged:: 1.5
  36. In Python 3, the logic is reversed, that is normal strings are Unicode, and
  37. when you want to specifically create a bytestring, you have to prefix the
  38. string with a 'b'. As we are doing in Django code from version 1.5,
  39. we recommend that you import ``unicode_literals`` from the __future__ library
  40. in your code. Then, when you specifically want to create a bytestring literal,
  41. prefix the string with 'b'.
  42. Python 2 legacy::
  43. my_string = "This is a bytestring"
  44. my_unicode = u"This is an Unicode string"
  45. Python 2 with unicode literals or Python 3::
  46. from __future__ import unicode_literals
  47. my_string = b"This is a bytestring"
  48. my_unicode = "This is an Unicode string"
  49. See also :doc:`Python 3 compatibility </topics/python3>`.
  50. .. warning::
  51. A bytestring does not carry any information with it about its encoding.
  52. For that reason, we have to make an assumption, and Django assumes that all
  53. bytestrings are in UTF-8.
  54. If you pass a string to Django that has been encoded in some other format,
  55. things will go wrong in interesting ways. Usually, Django will raise a
  56. ``UnicodeDecodeError`` at some point.
  57. If your code only uses ASCII data, it's safe to use your normal strings,
  58. passing them around at will, because ASCII is a subset of UTF-8.
  59. Don't be fooled into thinking that if your :setting:`DEFAULT_CHARSET` setting is set
  60. to something other than ``'utf-8'`` you can use that other encoding in your
  61. bytestrings! :setting:`DEFAULT_CHARSET` only applies to the strings generated as
  62. the result of template rendering (and email). Django will always assume UTF-8
  63. encoding for internal bytestrings. The reason for this is that the
  64. :setting:`DEFAULT_CHARSET` setting is not actually under your control (if you are the
  65. application developer). It's under the control of the person installing and
  66. using your application -- and if that person chooses a different setting, your
  67. code must still continue to work. Ergo, it cannot rely on that setting.
  68. In most cases when Django is dealing with strings, it will convert them to
  69. Unicode strings before doing anything else. So, as a general rule, if you pass
  70. in a bytestring, be prepared to receive a Unicode string back in the result.
  71. Translated strings
  72. ------------------
  73. Aside from Unicode strings and bytestrings, there's a third type of string-like
  74. object you may encounter when using Django. The framework's
  75. internationalization features introduce the concept of a "lazy translation" --
  76. a string that has been marked as translated but whose actual translation result
  77. isn't determined until the object is used in a string. This feature is useful
  78. in cases where the translation locale is unknown until the string is used, even
  79. though the string might have originally been created when the code was first
  80. imported.
  81. Normally, you won't have to worry about lazy translations. Just be aware that
  82. if you examine an object and it claims to be a
  83. ``django.utils.functional.__proxy__`` object, it is a lazy translation.
  84. Calling ``unicode()`` with the lazy translation as the argument will generate a
  85. Unicode string in the current locale.
  86. For more details about lazy translation objects, refer to the
  87. :doc:`internationalization </topics/i18n/index>` documentation.
  88. Useful utility functions
  89. ------------------------
  90. Because some string operations come up again and again, Django ships with a few
  91. useful functions that should make working with Unicode and bytestring objects
  92. a bit easier.
  93. Conversion functions
  94. ~~~~~~~~~~~~~~~~~~~~
  95. The ``django.utils.encoding`` module contains a few functions that are handy
  96. for converting back and forth between Unicode and bytestrings.
  97. * ``smart_text(s, encoding='utf-8', strings_only=False, errors='strict')``
  98. converts its input to a Unicode string. The ``encoding`` parameter
  99. specifies the input encoding. (For example, Django uses this internally
  100. when processing form input data, which might not be UTF-8 encoded.) The
  101. ``strings_only`` parameter, if set to True, will result in Python
  102. numbers, booleans and ``None`` not being converted to a string (they keep
  103. their original types). The ``errors`` parameter takes any of the values
  104. that are accepted by Python's ``unicode()`` function for its error
  105. handling.
  106. If you pass ``smart_text()`` an object that has a ``__unicode__``
  107. method, it will use that method to do the conversion.
  108. * ``force_text(s, encoding='utf-8', strings_only=False,
  109. errors='strict')`` is identical to ``smart_text()`` in almost all
  110. cases. The difference is when the first argument is a :ref:`lazy
  111. translation <lazy-translations>` instance. While ``smart_text()``
  112. preserves lazy translations, ``force_text()`` forces those objects to a
  113. Unicode string (causing the translation to occur). Normally, you'll want
  114. to use ``smart_text()``. However, ``force_text()`` is useful in
  115. template tags and filters that absolutely *must* have a string to work
  116. with, not just something that can be converted to a string.
  117. * ``smart_bytes(s, encoding='utf-8', strings_only=False, errors='strict')``
  118. is essentially the opposite of ``smart_text()``. It forces the first
  119. argument to a bytestring. The ``strings_only`` parameter has the same
  120. behavior as for ``smart_text()`` and ``force_text()``. This is
  121. slightly different semantics from Python's builtin ``str()`` function,
  122. but the difference is needed in a few places within Django's internals.
  123. Normally, you'll only need to use ``smart_text()``. Call it as early as
  124. possible on any input data that might be either Unicode or a bytestring, and
  125. from then on, you can treat the result as always being Unicode.
  126. .. _uri-and-iri-handling:
  127. URI and IRI handling
  128. ~~~~~~~~~~~~~~~~~~~~
  129. Web frameworks have to deal with URLs (which are a type of IRI_). One
  130. requirement of URLs is that they are encoded using only ASCII characters.
  131. However, in an international environment, you might need to construct a
  132. URL from an IRI_ -- very loosely speaking, a URI_ that can contain Unicode
  133. characters. Quoting and converting an IRI to URI can be a little tricky, so
  134. Django provides some assistance.
  135. * The function ``django.utils.encoding.iri_to_uri()`` implements the
  136. conversion from IRI to URI as required by the specification (:rfc:`3987`).
  137. * The functions ``django.utils.http.urlquote()`` and
  138. ``django.utils.http.urlquote_plus()`` are versions of Python's standard
  139. ``urllib.quote()`` and ``urllib.quote_plus()`` that work with non-ASCII
  140. characters. (The data is converted to UTF-8 prior to encoding.)
  141. These two groups of functions have slightly different purposes, and it's
  142. important to keep them straight. Normally, you would use ``urlquote()`` on the
  143. individual portions of the IRI or URI path so that any reserved characters
  144. such as '&' or '%' are correctly encoded. Then, you apply ``iri_to_uri()`` to
  145. the full IRI and it converts any non-ASCII characters to the correct encoded
  146. values.
  147. .. note::
  148. Technically, it isn't correct to say that ``iri_to_uri()`` implements the
  149. full algorithm in the IRI specification. It doesn't (yet) perform the
  150. international domain name encoding portion of the algorithm.
  151. The ``iri_to_uri()`` function will not change ASCII characters that are
  152. otherwise permitted in a URL. So, for example, the character '%' is not
  153. further encoded when passed to ``iri_to_uri()``. This means you can pass a
  154. full URL to this function and it will not mess up the query string or anything
  155. like that.
  156. An example might clarify things here::
  157. >>> urlquote(u'Paris & Orléans')
  158. u'Paris%20%26%20Orl%C3%A9ans'
  159. >>> iri_to_uri(u'/favorites/François/%s' % urlquote('Paris & Orléans'))
  160. '/favorites/Fran%C3%A7ois/Paris%20%26%20Orl%C3%A9ans'
  161. If you look carefully, you can see that the portion that was generated by
  162. ``urlquote()`` in the second example was not double-quoted when passed to
  163. ``iri_to_uri()``. This is a very important and useful feature. It means that
  164. you can construct your IRI without worrying about whether it contains
  165. non-ASCII characters and then, right at the end, call ``iri_to_uri()`` on the
  166. result.
  167. The ``iri_to_uri()`` function is also idempotent, which means the following is
  168. always true::
  169. iri_to_uri(iri_to_uri(some_string)) = iri_to_uri(some_string)
  170. So you can safely call it multiple times on the same IRI without risking
  171. double-quoting problems.
  172. .. _URI: http://www.ietf.org/rfc/rfc2396.txt
  173. .. _IRI: http://www.ietf.org/rfc/rfc3987.txt
  174. Models
  175. ======
  176. Because all strings are returned from the database as Unicode strings, model
  177. fields that are character based (CharField, TextField, URLField, etc) will
  178. contain Unicode values when Django retrieves data from the database. This
  179. is *always* the case, even if the data could fit into an ASCII bytestring.
  180. You can pass in bytestrings when creating a model or populating a field, and
  181. Django will convert it to Unicode when it needs to.
  182. Choosing between ``__str__()`` and ``__unicode__()``
  183. ----------------------------------------------------
  184. One consequence of using Unicode by default is that you have to take some care
  185. when printing data from the model.
  186. In particular, rather than giving your model a ``__str__()`` method, we
  187. recommended you implement a ``__unicode__()`` method. In the ``__unicode__()``
  188. method, you can quite safely return the values of all your fields without
  189. having to worry about whether they fit into a bytestring or not. (The way
  190. Python works, the result of ``__str__()`` is *always* a bytestring, even if you
  191. accidentally try to return a Unicode object).
  192. You can still create a ``__str__()`` method on your models if you want, of
  193. course, but you shouldn't need to do this unless you have a good reason.
  194. Django's ``Model`` base class automatically provides a ``__str__()``
  195. implementation that calls ``__unicode__()`` and encodes the result into UTF-8.
  196. This means you'll normally only need to implement a ``__unicode__()`` method
  197. and let Django handle the coercion to a bytestring when required.
  198. Taking care in ``get_absolute_url()``
  199. -------------------------------------
  200. URLs can only contain ASCII characters. If you're constructing a URL from
  201. pieces of data that might be non-ASCII, be careful to encode the results in a
  202. way that is suitable for a URL. The :func:`~django.core.urlresolvers.reverse`
  203. function handles this for you automatically.
  204. If you're constructing a URL manually (i.e., *not* using the ``reverse()``
  205. function), you'll need to take care of the encoding yourself. In this case,
  206. use the ``iri_to_uri()`` and ``urlquote()`` functions that were documented
  207. above_. For example::
  208. from django.utils.encoding import iri_to_uri
  209. from django.utils.http import urlquote
  210. def get_absolute_url(self):
  211. url = u'/person/%s/?x=0&y=0' % urlquote(self.location)
  212. return iri_to_uri(url)
  213. This function returns a correctly encoded URL even if ``self.location`` is
  214. something like "Jack visited Paris & Orléans". (In fact, the ``iri_to_uri()``
  215. call isn't strictly necessary in the above example, because all the
  216. non-ASCII characters would have been removed in quoting in the first line.)
  217. .. _above: `URI and IRI handling`_
  218. The database API
  219. ================
  220. You can pass either Unicode strings or UTF-8 bytestrings as arguments to
  221. ``filter()`` methods and the like in the database API. The following two
  222. querysets are identical::
  223. from __future__ import unicode_literals
  224. qs = People.objects.filter(name__contains='Å')
  225. qs = People.objects.filter(name__contains=b'\xc3\x85') # UTF-8 encoding of Å
  226. Templates
  227. =========
  228. You can use either Unicode or bytestrings when creating templates manually::
  229. from __future__ import unicode_literals
  230. from django.template import Template
  231. t1 = Template(b'This is a bytestring template.')
  232. t2 = Template('This is a Unicode template.')
  233. But the common case is to read templates from the filesystem, and this creates
  234. a slight complication: not all filesystems store their data encoded as UTF-8.
  235. If your template files are not stored with a UTF-8 encoding, set the :setting:`FILE_CHARSET`
  236. setting to the encoding of the files on disk. When Django reads in a template
  237. file, it will convert the data from this encoding to Unicode. (:setting:`FILE_CHARSET`
  238. is set to ``'utf-8'`` by default.)
  239. The :setting:`DEFAULT_CHARSET` setting controls the encoding of rendered templates.
  240. This is set to UTF-8 by default.
  241. Template tags and filters
  242. -------------------------
  243. A couple of tips to remember when writing your own template tags and filters:
  244. * Always return Unicode strings from a template tag's ``render()`` method
  245. and from template filters.
  246. * Use ``force_text()`` in preference to ``smart_text()`` in these
  247. places. Tag rendering and filter calls occur as the template is being
  248. rendered, so there is no advantage to postponing the conversion of lazy
  249. translation objects into strings. It's easier to work solely with Unicode
  250. strings at that point.
  251. Email
  252. =====
  253. Django's email framework (in ``django.core.mail``) supports Unicode
  254. transparently. You can use Unicode data in the message bodies and any headers.
  255. However, you're still obligated to respect the requirements of the email
  256. specifications, so, for example, email addresses should use only ASCII
  257. characters.
  258. The following code example demonstrates that everything except email addresses
  259. can be non-ASCII::
  260. from __future__ import unicode_literals
  261. from django.core.mail import EmailMessage
  262. subject = 'My visit to Sør-Trøndelag'
  263. sender = 'Arnbjörg Ráðormsdóttir <arnbjorg@example.com>'
  264. recipients = ['Fred <fred@example.com']
  265. body = '...'
  266. msg = EmailMessage(subject, body, sender, recipients)
  267. msg.attach("Une pièce jointe.pdf", "%PDF-1.4.%...", mimetype="application/pdf")
  268. msg.send()
  269. Form submission
  270. ===============
  271. HTML form submission is a tricky area. There's no guarantee that the
  272. submission will include encoding information, which means the framework might
  273. have to guess at the encoding of submitted data.
  274. Django adopts a "lazy" approach to decoding form data. The data in an
  275. ``HttpRequest`` object is only decoded when you access it. In fact, most of
  276. the data is not decoded at all. Only the ``HttpRequest.GET`` and
  277. ``HttpRequest.POST`` data structures have any decoding applied to them. Those
  278. two fields will return their members as Unicode data. All other attributes and
  279. methods of ``HttpRequest`` return data exactly as it was submitted by the
  280. client.
  281. By default, the :setting:`DEFAULT_CHARSET` setting is used as the assumed encoding
  282. for form data. If you need to change this for a particular form, you can set
  283. the ``encoding`` attribute on an ``HttpRequest`` instance. For example::
  284. def some_view(request):
  285. # We know that the data must be encoded as KOI8-R (for some reason).
  286. request.encoding = 'koi8-r'
  287. ...
  288. You can even change the encoding after having accessed ``request.GET`` or
  289. ``request.POST``, and all subsequent accesses will use the new encoding.
  290. Most developers won't need to worry about changing form encoding, but this is
  291. a useful feature for applications that talk to legacy systems whose encoding
  292. you cannot control.
  293. Django does not decode the data of file uploads, because that data is normally
  294. treated as collections of bytes, rather than strings. Any automatic decoding
  295. there would alter the meaning of the stream of bytes.