api.txt 40 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901
  1. =============
  2. The Forms API
  3. =============
  4. .. module:: django.forms
  5. .. admonition:: About this document
  6. This document covers the gritty details of Django's forms API. You should
  7. read the :doc:`introduction to working with forms </topics/forms/index>`
  8. first.
  9. .. _ref-forms-api-bound-unbound:
  10. Bound and unbound forms
  11. -----------------------
  12. A :class:`Form` instance is either **bound** to a set of data, or **unbound**.
  13. * If it's **bound** to a set of data, it's capable of validating that data
  14. and rendering the form as HTML with the data displayed in the HTML.
  15. * If it's **unbound**, it cannot do validation (because there's no data to
  16. validate!), but it can still render the blank form as HTML.
  17. .. class:: Form
  18. To create an unbound :class:`Form` instance, simply instantiate the class::
  19. >>> f = ContactForm()
  20. To bind data to a form, pass the data as a dictionary as the first parameter to
  21. your :class:`Form` class constructor::
  22. >>> data = {'subject': 'hello',
  23. ... 'message': 'Hi there',
  24. ... 'sender': 'foo@example.com',
  25. ... 'cc_myself': True}
  26. >>> f = ContactForm(data)
  27. In this dictionary, the keys are the field names, which correspond to the
  28. attributes in your :class:`Form` class. The values are the data you're trying to
  29. validate. These will usually be strings, but there's no requirement that they be
  30. strings; the type of data you pass depends on the :class:`Field`, as we'll see
  31. in a moment.
  32. .. attribute:: Form.is_bound
  33. If you need to distinguish between bound and unbound form instances at runtime,
  34. check the value of the form's :attr:`~Form.is_bound` attribute::
  35. >>> f = ContactForm()
  36. >>> f.is_bound
  37. False
  38. >>> f = ContactForm({'subject': 'hello'})
  39. >>> f.is_bound
  40. True
  41. Note that passing an empty dictionary creates a *bound* form with empty data::
  42. >>> f = ContactForm({})
  43. >>> f.is_bound
  44. True
  45. If you have a bound :class:`Form` instance and want to change the data somehow,
  46. or if you want to bind an unbound :class:`Form` instance to some data, create
  47. another :class:`Form` instance. There is no way to change data in a
  48. :class:`Form` instance. Once a :class:`Form` instance has been created, you
  49. should consider its data immutable, whether it has data or not.
  50. Using forms to validate data
  51. ----------------------------
  52. .. method:: Form.is_valid()
  53. The primary task of a :class:`Form` object is to validate data. With a bound
  54. :class:`Form` instance, call the :meth:`~Form.is_valid` method to run validation
  55. and return a boolean designating whether the data was valid::
  56. >>> data = {'subject': 'hello',
  57. ... 'message': 'Hi there',
  58. ... 'sender': 'foo@example.com',
  59. ... 'cc_myself': True}
  60. >>> f = ContactForm(data)
  61. >>> f.is_valid()
  62. True
  63. Let's try with some invalid data. In this case, ``subject`` is blank (an error,
  64. because all fields are required by default) and ``sender`` is not a valid
  65. email address::
  66. >>> data = {'subject': '',
  67. ... 'message': 'Hi there',
  68. ... 'sender': 'invalid email address',
  69. ... 'cc_myself': True}
  70. >>> f = ContactForm(data)
  71. >>> f.is_valid()
  72. False
  73. .. attribute:: Form.errors
  74. Access the :attr:`~Form.errors` attribute to get a dictionary of error
  75. messages::
  76. >>> f.errors
  77. {'sender': [u'Enter a valid email address.'], 'subject': [u'This field is required.']}
  78. In this dictionary, the keys are the field names, and the values are lists of
  79. Unicode strings representing the error messages. The error messages are stored
  80. in lists because a field can have multiple error messages.
  81. You can access :attr:`~Form.errors` without having to call
  82. :meth:`~Form.is_valid` first. The form's data will be validated the first time
  83. either you call :meth:`~Form.is_valid` or access :attr:`~Form.errors`.
  84. The validation routines will only get called once, regardless of how many times
  85. you access :attr:`~Form.errors` or call :meth:`~Form.is_valid`. This means that
  86. if validation has side effects, those side effects will only be triggered once.
  87. .. method:: Form.add_error(field, error)
  88. .. versionadded:: 1.7
  89. This method allows adding errors to specific fields from within the
  90. ``Form.clean()`` method, or from outside the form altogether; for instance
  91. from a view. This is a better alternative to fiddling directly with
  92. ``Form._errors`` as described in :ref:`modifying-field-errors`.
  93. The ``field`` argument is the name of the field to which the errors
  94. should be added. If its value is ``None`` the error will be treated as
  95. a non-field error as returned by ``Form.non_field_errors()``.
  96. The ``error`` argument can be a simple string, or preferably an instance of
  97. ``ValidationError``. See :ref:`raising-validation-error` for best practices
  98. when defining form errors.
  99. Note that ``Form.add_error()`` automatically removes the relevant field from
  100. ``cleaned_data``.
  101. Behavior of unbound forms
  102. ~~~~~~~~~~~~~~~~~~~~~~~~~
  103. It's meaningless to validate a form with no data, but, for the record, here's
  104. what happens with unbound forms::
  105. >>> f = ContactForm()
  106. >>> f.is_valid()
  107. False
  108. >>> f.errors
  109. {}
  110. Dynamic initial values
  111. ----------------------
  112. .. attribute:: Form.initial
  113. Use :attr:`~Form.initial` to declare the initial value of form fields at
  114. runtime. For example, you might want to fill in a ``username`` field with the
  115. username of the current session.
  116. To accomplish this, use the :attr:`~Form.initial` argument to a :class:`Form`.
  117. This argument, if given, should be a dictionary mapping field names to initial
  118. values. Only include the fields for which you're specifying an initial value;
  119. it's not necessary to include every field in your form. For example::
  120. >>> f = ContactForm(initial={'subject': 'Hi there!'})
  121. These values are only displayed for unbound forms, and they're not used as
  122. fallback values if a particular value isn't provided.
  123. Note that if a :class:`~django.forms.Field` defines :attr:`~Form.initial` *and*
  124. you include ``initial`` when instantiating the ``Form``, then the latter
  125. ``initial`` will have precedence. In this example, ``initial`` is provided both
  126. at the field level and at the form instance level, and the latter gets
  127. precedence::
  128. >>> from django import forms
  129. >>> class CommentForm(forms.Form):
  130. ... name = forms.CharField(initial='class')
  131. ... url = forms.URLField()
  132. ... comment = forms.CharField()
  133. >>> f = CommentForm(initial={'name': 'instance'}, auto_id=False)
  134. >>> print(f)
  135. <tr><th>Name:</th><td><input type="text" name="name" value="instance" /></td></tr>
  136. <tr><th>Url:</th><td><input type="url" name="url" /></td></tr>
  137. <tr><th>Comment:</th><td><input type="text" name="comment" /></td></tr>
  138. Accessing "clean" data
  139. ----------------------
  140. .. attribute:: Form.cleaned_data
  141. Each field in a :class:`Form` class is responsible not only for validating
  142. data, but also for "cleaning" it -- normalizing it to a consistent format. This
  143. is a nice feature, because it allows data for a particular field to be input in
  144. a variety of ways, always resulting in consistent output.
  145. For example, :class:`~django.forms.DateField` normalizes input into a
  146. Python ``datetime.date`` object. Regardless of whether you pass it a string in
  147. the format ``'1994-07-15'``, a ``datetime.date`` object, or a number of other
  148. formats, ``DateField`` will always normalize it to a ``datetime.date`` object
  149. as long as it's valid.
  150. Once you've created a :class:`~Form` instance with a set of data and validated
  151. it, you can access the clean data via its ``cleaned_data`` attribute::
  152. >>> data = {'subject': 'hello',
  153. ... 'message': 'Hi there',
  154. ... 'sender': 'foo@example.com',
  155. ... 'cc_myself': True}
  156. >>> f = ContactForm(data)
  157. >>> f.is_valid()
  158. True
  159. >>> f.cleaned_data
  160. {'cc_myself': True, 'message': u'Hi there', 'sender': u'foo@example.com', 'subject': u'hello'}
  161. Note that any text-based field -- such as ``CharField`` or ``EmailField`` --
  162. always cleans the input into a Unicode string. We'll cover the encoding
  163. implications later in this document.
  164. If your data does *not* validate, the ``cleaned_data`` dictionary contains
  165. only the valid fields::
  166. >>> data = {'subject': '',
  167. ... 'message': 'Hi there',
  168. ... 'sender': 'invalid email address',
  169. ... 'cc_myself': True}
  170. >>> f = ContactForm(data)
  171. >>> f.is_valid()
  172. False
  173. >>> f.cleaned_data
  174. {'cc_myself': True, 'message': u'Hi there'}
  175. ``cleaned_data`` will always *only* contain a key for fields defined in the
  176. ``Form``, even if you pass extra data when you define the ``Form``. In this
  177. example, we pass a bunch of extra fields to the ``ContactForm`` constructor,
  178. but ``cleaned_data`` contains only the form's fields::
  179. >>> data = {'subject': 'hello',
  180. ... 'message': 'Hi there',
  181. ... 'sender': 'foo@example.com',
  182. ... 'cc_myself': True,
  183. ... 'extra_field_1': 'foo',
  184. ... 'extra_field_2': 'bar',
  185. ... 'extra_field_3': 'baz'}
  186. >>> f = ContactForm(data)
  187. >>> f.is_valid()
  188. True
  189. >>> f.cleaned_data # Doesn't contain extra_field_1, etc.
  190. {'cc_myself': True, 'message': u'Hi there', 'sender': u'foo@example.com', 'subject': u'hello'}
  191. When the ``Form`` is valid, ``cleaned_data`` will include a key and value for
  192. *all* its fields, even if the data didn't include a value for some optional
  193. fields. In this example, the data dictionary doesn't include a value for the
  194. ``nick_name`` field, but ``cleaned_data`` includes it, with an empty value::
  195. >>> from django.forms import Form
  196. >>> class OptionalPersonForm(Form):
  197. ... first_name = CharField()
  198. ... last_name = CharField()
  199. ... nick_name = CharField(required=False)
  200. >>> data = {'first_name': u'John', 'last_name': u'Lennon'}
  201. >>> f = OptionalPersonForm(data)
  202. >>> f.is_valid()
  203. True
  204. >>> f.cleaned_data
  205. {'nick_name': u'', 'first_name': u'John', 'last_name': u'Lennon'}
  206. In this above example, the ``cleaned_data`` value for ``nick_name`` is set to an
  207. empty string, because ``nick_name`` is ``CharField``, and ``CharField``\s treat
  208. empty values as an empty string. Each field type knows what its "blank" value
  209. is -- e.g., for ``DateField``, it's ``None`` instead of the empty string. For
  210. full details on each field's behavior in this case, see the "Empty value" note
  211. for each field in the "Built-in ``Field`` classes" section below.
  212. You can write code to perform validation for particular form fields (based on
  213. their name) or for the form as a whole (considering combinations of various
  214. fields). More information about this is in :doc:`/ref/forms/validation`.
  215. Outputting forms as HTML
  216. ------------------------
  217. The second task of a ``Form`` object is to render itself as HTML. To do so,
  218. simply ``print`` it::
  219. >>> f = ContactForm()
  220. >>> print(f)
  221. <tr><th><label for="id_subject">Subject:</label></th><td><input id="id_subject" type="text" name="subject" maxlength="100" /></td></tr>
  222. <tr><th><label for="id_message">Message:</label></th><td><input type="text" name="message" id="id_message" /></td></tr>
  223. <tr><th><label for="id_sender">Sender:</label></th><td><input type="email" name="sender" id="id_sender" /></td></tr>
  224. <tr><th><label for="id_cc_myself">Cc myself:</label></th><td><input type="checkbox" name="cc_myself" id="id_cc_myself" /></td></tr>
  225. If the form is bound to data, the HTML output will include that data
  226. appropriately. For example, if a field is represented by an
  227. ``<input type="text">``, the data will be in the ``value`` attribute. If a
  228. field is represented by an ``<input type="checkbox">``, then that HTML will
  229. include ``checked="checked"`` if appropriate::
  230. >>> data = {'subject': 'hello',
  231. ... 'message': 'Hi there',
  232. ... 'sender': 'foo@example.com',
  233. ... 'cc_myself': True}
  234. >>> f = ContactForm(data)
  235. >>> print(f)
  236. <tr><th><label for="id_subject">Subject:</label></th><td><input id="id_subject" type="text" name="subject" maxlength="100" value="hello" /></td></tr>
  237. <tr><th><label for="id_message">Message:</label></th><td><input type="text" name="message" id="id_message" value="Hi there" /></td></tr>
  238. <tr><th><label for="id_sender">Sender:</label></th><td><input type="email" name="sender" id="id_sender" value="foo@example.com" /></td></tr>
  239. <tr><th><label for="id_cc_myself">Cc myself:</label></th><td><input type="checkbox" name="cc_myself" id="id_cc_myself" checked="checked" /></td></tr>
  240. This default output is a two-column HTML table, with a ``<tr>`` for each field.
  241. Notice the following:
  242. * For flexibility, the output does *not* include the ``<table>`` and
  243. ``</table>`` tags, nor does it include the ``<form>`` and ``</form>``
  244. tags or an ``<input type="submit">`` tag. It's your job to do that.
  245. * Each field type has a default HTML representation. ``CharField`` is
  246. represented by an ``<input type="text">`` and ``EmailField`` by an
  247. ``<input type="email">``.
  248. ``BooleanField`` is represented by an ``<input type="checkbox">``. Note
  249. these are merely sensible defaults; you can specify which HTML to use for
  250. a given field by using widgets, which we'll explain shortly.
  251. * The HTML ``name`` for each tag is taken directly from its attribute name
  252. in the ``ContactForm`` class.
  253. * The text label for each field -- e.g. ``'Subject:'``, ``'Message:'`` and
  254. ``'Cc myself:'`` is generated from the field name by converting all
  255. underscores to spaces and upper-casing the first letter. Again, note
  256. these are merely sensible defaults; you can also specify labels manually.
  257. * Each text label is surrounded in an HTML ``<label>`` tag, which points
  258. to the appropriate form field via its ``id``. Its ``id``, in turn, is
  259. generated by prepending ``'id_'`` to the field name. The ``id``
  260. attributes and ``<label>`` tags are included in the output by default, to
  261. follow best practices, but you can change that behavior.
  262. Although ``<table>`` output is the default output style when you ``print`` a
  263. form, other output styles are available. Each style is available as a method on
  264. a form object, and each rendering method returns a Unicode object.
  265. ``as_p()``
  266. ~~~~~~~~~~
  267. .. method:: Form.as_p
  268. ``as_p()`` renders the form as a series of ``<p>`` tags, with each ``<p>``
  269. containing one field::
  270. >>> f = ContactForm()
  271. >>> f.as_p()
  272. u'<p><label for="id_subject">Subject:</label> <input id="id_subject" type="text" name="subject" maxlength="100" /></p>\n<p><label for="id_message">Message:</label> <input type="text" name="message" id="id_message" /></p>\n<p><label for="id_sender">Sender:</label> <input type="text" name="sender" id="id_sender" /></p>\n<p><label for="id_cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="id_cc_myself" /></p>'
  273. >>> print(f.as_p())
  274. <p><label for="id_subject">Subject:</label> <input id="id_subject" type="text" name="subject" maxlength="100" /></p>
  275. <p><label for="id_message">Message:</label> <input type="text" name="message" id="id_message" /></p>
  276. <p><label for="id_sender">Sender:</label> <input type="email" name="sender" id="id_sender" /></p>
  277. <p><label for="id_cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="id_cc_myself" /></p>
  278. ``as_ul()``
  279. ~~~~~~~~~~~
  280. .. method:: Form.as_ul
  281. ``as_ul()`` renders the form as a series of ``<li>`` tags, with each
  282. ``<li>`` containing one field. It does *not* include the ``<ul>`` or
  283. ``</ul>``, so that you can specify any HTML attributes on the ``<ul>`` for
  284. flexibility::
  285. >>> f = ContactForm()
  286. >>> f.as_ul()
  287. u'<li><label for="id_subject">Subject:</label> <input id="id_subject" type="text" name="subject" maxlength="100" /></li>\n<li><label for="id_message">Message:</label> <input type="text" name="message" id="id_message" /></li>\n<li><label for="id_sender">Sender:</label> <input type="email" name="sender" id="id_sender" /></li>\n<li><label for="id_cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="id_cc_myself" /></li>'
  288. >>> print(f.as_ul())
  289. <li><label for="id_subject">Subject:</label> <input id="id_subject" type="text" name="subject" maxlength="100" /></li>
  290. <li><label for="id_message">Message:</label> <input type="text" name="message" id="id_message" /></li>
  291. <li><label for="id_sender">Sender:</label> <input type="email" name="sender" id="id_sender" /></li>
  292. <li><label for="id_cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="id_cc_myself" /></li>
  293. ``as_table()``
  294. ~~~~~~~~~~~~~~
  295. .. method:: Form.as_table
  296. Finally, ``as_table()`` outputs the form as an HTML ``<table>``. This is
  297. exactly the same as ``print``. In fact, when you ``print`` a form object,
  298. it calls its ``as_table()`` method behind the scenes::
  299. >>> f = ContactForm()
  300. >>> f.as_table()
  301. u'<tr><th><label for="id_subject">Subject:</label></th><td><input id="id_subject" type="text" name="subject" maxlength="100" /></td></tr>\n<tr><th><label for="id_message">Message:</label></th><td><input type="text" name="message" id="id_message" /></td></tr>\n<tr><th><label for="id_sender">Sender:</label></th><td><input type="email" name="sender" id="id_sender" /></td></tr>\n<tr><th><label for="id_cc_myself">Cc myself:</label></th><td><input type="checkbox" name="cc_myself" id="id_cc_myself" /></td></tr>'
  302. >>> print(f.as_table())
  303. <tr><th><label for="id_subject">Subject:</label></th><td><input id="id_subject" type="text" name="subject" maxlength="100" /></td></tr>
  304. <tr><th><label for="id_message">Message:</label></th><td><input type="text" name="message" id="id_message" /></td></tr>
  305. <tr><th><label for="id_sender">Sender:</label></th><td><input type="email" name="sender" id="id_sender" /></td></tr>
  306. <tr><th><label for="id_cc_myself">Cc myself:</label></th><td><input type="checkbox" name="cc_myself" id="id_cc_myself" /></td></tr>
  307. Styling required or erroneous form rows
  308. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  309. .. attribute:: Form.error_css_class
  310. .. attribute:: Form.required_css_class
  311. It's pretty common to style form rows and fields that are required or have
  312. errors. For example, you might want to present required form rows in bold and
  313. highlight errors in red.
  314. The :class:`Form` class has a couple of hooks you can use to add ``class``
  315. attributes to required rows or to rows with errors: simply set the
  316. :attr:`Form.error_css_class` and/or :attr:`Form.required_css_class`
  317. attributes::
  318. from django.forms import Form
  319. class ContactForm(Form):
  320. error_css_class = 'error'
  321. required_css_class = 'required'
  322. # ... and the rest of your fields here
  323. Once you've done that, rows will be given ``"error"`` and/or ``"required"``
  324. classes, as needed. The HTML will look something like::
  325. >>> f = ContactForm(data)
  326. >>> print(f.as_table())
  327. <tr class="required"><th><label for="id_subject">Subject:</label> ...
  328. <tr class="required"><th><label for="id_message">Message:</label> ...
  329. <tr class="required error"><th><label for="id_sender">Sender:</label> ...
  330. <tr><th><label for="id_cc_myself">Cc myself:<label> ...
  331. .. _ref-forms-api-configuring-label:
  332. Configuring form elements' HTML ``id`` attributes and ``<label>`` tags
  333. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  334. .. attribute:: Form.auto_id
  335. By default, the form rendering methods include:
  336. * HTML ``id`` attributes on the form elements.
  337. * The corresponding ``<label>`` tags around the labels. An HTML ``<label>`` tag
  338. designates which label text is associated with which form element. This small
  339. enhancement makes forms more usable and more accessible to assistive devices.
  340. It's always a good idea to use ``<label>`` tags.
  341. The ``id`` attribute values are generated by prepending ``id_`` to the form
  342. field names. This behavior is configurable, though, if you want to change the
  343. ``id`` convention or remove HTML ``id`` attributes and ``<label>`` tags
  344. entirely.
  345. Use the ``auto_id`` argument to the ``Form`` constructor to control the ``id``
  346. and label behavior. This argument must be ``True``, ``False`` or a string.
  347. If ``auto_id`` is ``False``, then the form output will not include ``<label>``
  348. tags nor ``id`` attributes::
  349. >>> f = ContactForm(auto_id=False)
  350. >>> print(f.as_table())
  351. <tr><th>Subject:</th><td><input type="text" name="subject" maxlength="100" /></td></tr>
  352. <tr><th>Message:</th><td><input type="text" name="message" /></td></tr>
  353. <tr><th>Sender:</th><td><input type="email" name="sender" /></td></tr>
  354. <tr><th>Cc myself:</th><td><input type="checkbox" name="cc_myself" /></td></tr>
  355. >>> print(f.as_ul())
  356. <li>Subject: <input type="text" name="subject" maxlength="100" /></li>
  357. <li>Message: <input type="text" name="message" /></li>
  358. <li>Sender: <input type="email" name="sender" /></li>
  359. <li>Cc myself: <input type="checkbox" name="cc_myself" /></li>
  360. >>> print(f.as_p())
  361. <p>Subject: <input type="text" name="subject" maxlength="100" /></p>
  362. <p>Message: <input type="text" name="message" /></p>
  363. <p>Sender: <input type="email" name="sender" /></p>
  364. <p>Cc myself: <input type="checkbox" name="cc_myself" /></p>
  365. If ``auto_id`` is set to ``True``, then the form output *will* include
  366. ``<label>`` tags and will simply use the field name as its ``id`` for each form
  367. field::
  368. >>> f = ContactForm(auto_id=True)
  369. >>> print(f.as_table())
  370. <tr><th><label for="subject">Subject:</label></th><td><input id="subject" type="text" name="subject" maxlength="100" /></td></tr>
  371. <tr><th><label for="message">Message:</label></th><td><input type="text" name="message" id="message" /></td></tr>
  372. <tr><th><label for="sender">Sender:</label></th><td><input type="email" name="sender" id="sender" /></td></tr>
  373. <tr><th><label for="cc_myself">Cc myself:</label></th><td><input type="checkbox" name="cc_myself" id="cc_myself" /></td></tr>
  374. >>> print(f.as_ul())
  375. <li><label for="subject">Subject:</label> <input id="subject" type="text" name="subject" maxlength="100" /></li>
  376. <li><label for="message">Message:</label> <input type="text" name="message" id="message" /></li>
  377. <li><label for="sender">Sender:</label> <input type="email" name="sender" id="sender" /></li>
  378. <li><label for="cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="cc_myself" /></li>
  379. >>> print(f.as_p())
  380. <p><label for="subject">Subject:</label> <input id="subject" type="text" name="subject" maxlength="100" /></p>
  381. <p><label for="message">Message:</label> <input type="text" name="message" id="message" /></p>
  382. <p><label for="sender">Sender:</label> <input type="email" name="sender" id="sender" /></p>
  383. <p><label for="cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="cc_myself" /></p>
  384. If ``auto_id`` is set to a string containing the format character ``'%s'``,
  385. then the form output will include ``<label>`` tags, and will generate ``id``
  386. attributes based on the format string. For example, for a format string
  387. ``'field_%s'``, a field named ``subject`` will get the ``id`` value
  388. ``'field_subject'``. Continuing our example::
  389. >>> f = ContactForm(auto_id='id_for_%s')
  390. >>> print(f.as_table())
  391. <tr><th><label for="id_for_subject">Subject:</label></th><td><input id="id_for_subject" type="text" name="subject" maxlength="100" /></td></tr>
  392. <tr><th><label for="id_for_message">Message:</label></th><td><input type="text" name="message" id="id_for_message" /></td></tr>
  393. <tr><th><label for="id_for_sender">Sender:</label></th><td><input type="email" name="sender" id="id_for_sender" /></td></tr>
  394. <tr><th><label for="id_for_cc_myself">Cc myself:</label></th><td><input type="checkbox" name="cc_myself" id="id_for_cc_myself" /></td></tr>
  395. >>> print(f.as_ul())
  396. <li><label for="id_for_subject">Subject:</label> <input id="id_for_subject" type="text" name="subject" maxlength="100" /></li>
  397. <li><label for="id_for_message">Message:</label> <input type="text" name="message" id="id_for_message" /></li>
  398. <li><label for="id_for_sender">Sender:</label> <input type="email" name="sender" id="id_for_sender" /></li>
  399. <li><label for="id_for_cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="id_for_cc_myself" /></li>
  400. >>> print(f.as_p())
  401. <p><label for="id_for_subject">Subject:</label> <input id="id_for_subject" type="text" name="subject" maxlength="100" /></p>
  402. <p><label for="id_for_message">Message:</label> <input type="text" name="message" id="id_for_message" /></p>
  403. <p><label for="id_for_sender">Sender:</label> <input type="email" name="sender" id="id_for_sender" /></p>
  404. <p><label for="id_for_cc_myself">Cc myself:</label> <input type="checkbox" name="cc_myself" id="id_for_cc_myself" /></p>
  405. If ``auto_id`` is set to any other true value -- such as a string that doesn't
  406. include ``%s`` -- then the library will act as if ``auto_id`` is ``True``.
  407. By default, ``auto_id`` is set to the string ``'id_%s'``.
  408. .. attribute:: Form.label_suffix
  409. A translatable string (defaults to a colon (``:``) in English) that will be
  410. appended after any label name when a form is rendered.
  411. .. versionchanged:: 1.6
  412. The default ``label_suffix`` is translatable.
  413. It's possible to customize that character, or omit it entirely, using the
  414. ``label_suffix`` parameter::
  415. >>> f = ContactForm(auto_id='id_for_%s', label_suffix='')
  416. >>> print(f.as_ul())
  417. <li><label for="id_for_subject">Subject</label> <input id="id_for_subject" type="text" name="subject" maxlength="100" /></li>
  418. <li><label for="id_for_message">Message</label> <input type="text" name="message" id="id_for_message" /></li>
  419. <li><label for="id_for_sender">Sender</label> <input type="email" name="sender" id="id_for_sender" /></li>
  420. <li><label for="id_for_cc_myself">Cc myself</label> <input type="checkbox" name="cc_myself" id="id_for_cc_myself" /></li>
  421. >>> f = ContactForm(auto_id='id_for_%s', label_suffix=' ->')
  422. >>> print(f.as_ul())
  423. <li><label for="id_for_subject">Subject -></label> <input id="id_for_subject" type="text" name="subject" maxlength="100" /></li>
  424. <li><label for="id_for_message">Message -></label> <input type="text" name="message" id="id_for_message" /></li>
  425. <li><label for="id_for_sender">Sender -></label> <input type="email" name="sender" id="id_for_sender" /></li>
  426. <li><label for="id_for_cc_myself">Cc myself -></label> <input type="checkbox" name="cc_myself" id="id_for_cc_myself" /></li>
  427. Note that the label suffix is added only if the last character of the
  428. label isn't a punctuation character (in English, those are ``.``, ``!``, ``?``
  429. or ``:``).
  430. .. versionadded:: 1.6
  431. You can also customize the ``label_suffix`` on a per-field basis using the
  432. ``label_suffix`` parameter to :meth:`~django.forms.BoundField.label_tag`.
  433. Notes on field ordering
  434. ~~~~~~~~~~~~~~~~~~~~~~~
  435. In the ``as_p()``, ``as_ul()`` and ``as_table()`` shortcuts, the fields are
  436. displayed in the order in which you define them in your form class. For
  437. example, in the ``ContactForm`` example, the fields are defined in the order
  438. ``subject``, ``message``, ``sender``, ``cc_myself``. To reorder the HTML
  439. output, just change the order in which those fields are listed in the class.
  440. How errors are displayed
  441. ~~~~~~~~~~~~~~~~~~~~~~~~
  442. If you render a bound ``Form`` object, the act of rendering will automatically
  443. run the form's validation if it hasn't already happened, and the HTML output
  444. will include the validation errors as a ``<ul class="errorlist">`` near the
  445. field. The particular positioning of the error messages depends on the output
  446. method you're using::
  447. >>> data = {'subject': '',
  448. ... 'message': 'Hi there',
  449. ... 'sender': 'invalid email address',
  450. ... 'cc_myself': True}
  451. >>> f = ContactForm(data, auto_id=False)
  452. >>> print(f.as_table())
  453. <tr><th>Subject:</th><td><ul class="errorlist"><li>This field is required.</li></ul><input type="text" name="subject" maxlength="100" /></td></tr>
  454. <tr><th>Message:</th><td><input type="text" name="message" value="Hi there" /></td></tr>
  455. <tr><th>Sender:</th><td><ul class="errorlist"><li>Enter a valid email address.</li></ul><input type="email" name="sender" value="invalid email address" /></td></tr>
  456. <tr><th>Cc myself:</th><td><input checked="checked" type="checkbox" name="cc_myself" /></td></tr>
  457. >>> print(f.as_ul())
  458. <li><ul class="errorlist"><li>This field is required.</li></ul>Subject: <input type="text" name="subject" maxlength="100" /></li>
  459. <li>Message: <input type="text" name="message" value="Hi there" /></li>
  460. <li><ul class="errorlist"><li>Enter a valid email address.</li></ul>Sender: <input type="email" name="sender" value="invalid email address" /></li>
  461. <li>Cc myself: <input checked="checked" type="checkbox" name="cc_myself" /></li>
  462. >>> print(f.as_p())
  463. <p><ul class="errorlist"><li>This field is required.</li></ul></p>
  464. <p>Subject: <input type="text" name="subject" maxlength="100" /></p>
  465. <p>Message: <input type="text" name="message" value="Hi there" /></p>
  466. <p><ul class="errorlist"><li>Enter a valid email address.</li></ul></p>
  467. <p>Sender: <input type="email" name="sender" value="invalid email address" /></p>
  468. <p>Cc myself: <input checked="checked" type="checkbox" name="cc_myself" /></p>
  469. Customizing the error list format
  470. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  471. By default, forms use ``django.forms.utils.ErrorList`` to format validation
  472. errors. If you'd like to use an alternate class for displaying errors, you can
  473. pass that in at construction time (replace ``__unicode__`` by ``__str__`` on
  474. Python 3)::
  475. >>> from django.forms.utils import ErrorList
  476. >>> class DivErrorList(ErrorList):
  477. ... def __unicode__(self):
  478. ... return self.as_divs()
  479. ... def as_divs(self):
  480. ... if not self: return u''
  481. ... return u'<div class="errorlist">%s</div>' % ''.join([u'<div class="error">%s</div>' % e for e in self])
  482. >>> f = ContactForm(data, auto_id=False, error_class=DivErrorList)
  483. >>> f.as_p()
  484. <div class="errorlist"><div class="error">This field is required.</div></div>
  485. <p>Subject: <input type="text" name="subject" maxlength="100" /></p>
  486. <p>Message: <input type="text" name="message" value="Hi there" /></p>
  487. <div class="errorlist"><div class="error">Enter a valid email address.</div></div>
  488. <p>Sender: <input type="email" name="sender" value="invalid email address" /></p>
  489. <p>Cc myself: <input checked="checked" type="checkbox" name="cc_myself" /></p>
  490. .. versionchanged:: 1.7
  491. ``django.forms.util`` was renamed to ``django.forms.utils``.
  492. More granular output
  493. ~~~~~~~~~~~~~~~~~~~~
  494. The ``as_p()``, ``as_ul()`` and ``as_table()`` methods are simply shortcuts for
  495. lazy developers -- they're not the only way a form object can be displayed.
  496. .. class:: BoundField
  497. Used to display HTML or access attributes for a single field of a
  498. :class:`Form` instance.
  499. The ``__unicode__()`` and ``__str__()`` methods of this object displays
  500. the HTML for this field.
  501. To retrieve a single ``BoundField``, use dictionary lookup syntax on your form
  502. using the field's name as the key::
  503. >>> form = ContactForm()
  504. >>> print(form['subject'])
  505. <input id="id_subject" type="text" name="subject" maxlength="100" />
  506. To retrieve all ``BoundField`` objects, iterate the form::
  507. >>> form = ContactForm()
  508. >>> for boundfield in form: print(boundfield)
  509. <input id="id_subject" type="text" name="subject" maxlength="100" />
  510. <input type="text" name="message" id="id_message" />
  511. <input type="email" name="sender" id="id_sender" />
  512. <input type="checkbox" name="cc_myself" id="id_cc_myself" />
  513. The field-specific output honors the form object's ``auto_id`` setting::
  514. >>> f = ContactForm(auto_id=False)
  515. >>> print(f['message'])
  516. <input type="text" name="message" />
  517. >>> f = ContactForm(auto_id='id_%s')
  518. >>> print(f['message'])
  519. <input type="text" name="message" id="id_message" />
  520. For a field's list of errors, access the field's ``errors`` attribute.
  521. .. attribute:: BoundField.errors
  522. A list-like object that is displayed as an HTML ``<ul class="errorlist">``
  523. when printed::
  524. >>> data = {'subject': 'hi', 'message': '', 'sender': '', 'cc_myself': ''}
  525. >>> f = ContactForm(data, auto_id=False)
  526. >>> print(f['message'])
  527. <input type="text" name="message" />
  528. >>> f['message'].errors
  529. [u'This field is required.']
  530. >>> print(f['message'].errors)
  531. <ul class="errorlist"><li>This field is required.</li></ul>
  532. >>> f['subject'].errors
  533. []
  534. >>> print(f['subject'].errors)
  535. >>> str(f['subject'].errors)
  536. ''
  537. .. method:: BoundField.label_tag(contents=None, attrs=None, label_suffix=None)
  538. To separately render the label tag of a form field, you can call its
  539. ``label_tag`` method::
  540. >>> f = ContactForm(data)
  541. >>> print(f['message'].label_tag())
  542. <label for="id_message">Message:</label>
  543. Optionally, you can provide the ``contents`` parameter which will replace the
  544. auto-generated label tag. An optional ``attrs`` dictionary may contain
  545. additional attributes for the ``<label>`` tag.
  546. .. versionchanged:: 1.6
  547. The label now includes the form's :attr:`~django.forms.Form.label_suffix`
  548. (a colon, by default).
  549. .. versionadded:: 1.6
  550. The optional ``label_suffix`` parameter allows you to override the form's
  551. :attr:`~django.forms.Form.label_suffix`. For example, you can use an empty
  552. string to hide the label on selected fields. If you need to do this in a
  553. template, you could write a custom filter to allow passing parameters to
  554. ``label_tag``.
  555. .. method:: BoundField.css_classes()
  556. When you use Django's rendering shortcuts, CSS classes are used to
  557. indicate required form fields or fields that contain errors. If you're
  558. manually rendering a form, you can access these CSS classes using the
  559. ``css_classes`` method::
  560. >>> f = ContactForm(data)
  561. >>> f['message'].css_classes()
  562. 'required'
  563. If you want to provide some additional classes in addition to the
  564. error and required classes that may be required, you can provide
  565. those classes as an argument::
  566. >>> f = ContactForm(data)
  567. >>> f['message'].css_classes('foo bar')
  568. 'foo bar required'
  569. .. method:: BoundField.value()
  570. Use this method to render the raw value of this field as it would be rendered
  571. by a ``Widget``::
  572. >>> initial = {'subject': 'welcome'}
  573. >>> unbound_form = ContactForm(initial=initial)
  574. >>> bound_form = ContactForm(data, initial=initial)
  575. >>> print(unbound_form['subject'].value())
  576. welcome
  577. >>> print(bound_form['subject'].value())
  578. hi
  579. .. attribute:: BoundField.id_for_label
  580. Use this property to render the ID of this field. For example, if you are
  581. manually constructing a ``<label>`` in your template (despite the fact that
  582. :meth:`~BoundField.label_tag` will do this for you):
  583. .. code-block:: html+django
  584. <label for="{{ form.my_field.id_for_label }}">...</label>{{ my_field }}
  585. By default, this will be the field's name prefixed by ``id_``
  586. ("``id_my_field``" for the example above). You may modify the ID by setting
  587. :attr:`~django.forms.Widget.attrs` on the field's widget. For example,
  588. declaring a field like this::
  589. my_field = forms.CharField(widget=forms.TextInput(attrs={'id': 'myFIELD'}))
  590. and using the template above, would render something like:
  591. .. code-block:: html
  592. <label for="myFIELD">...</label><input id="myFIELD" type="text" name="my_field" />
  593. .. _binding-uploaded-files:
  594. Binding uploaded files to a form
  595. --------------------------------
  596. Dealing with forms that have ``FileField`` and ``ImageField`` fields
  597. is a little more complicated than a normal form.
  598. Firstly, in order to upload files, you'll need to make sure that your
  599. ``<form>`` element correctly defines the ``enctype`` as
  600. ``"multipart/form-data"``::
  601. <form enctype="multipart/form-data" method="post" action="/foo/">
  602. Secondly, when you use the form, you need to bind the file data. File
  603. data is handled separately to normal form data, so when your form
  604. contains a ``FileField`` and ``ImageField``, you will need to specify
  605. a second argument when you bind your form. So if we extend our
  606. ContactForm to include an ``ImageField`` called ``mugshot``, we
  607. need to bind the file data containing the mugshot image::
  608. # Bound form with an image field
  609. >>> from django.core.files.uploadedfile import SimpleUploadedFile
  610. >>> data = {'subject': 'hello',
  611. ... 'message': 'Hi there',
  612. ... 'sender': 'foo@example.com',
  613. ... 'cc_myself': True}
  614. >>> file_data = {'mugshot': SimpleUploadedFile('face.jpg', <file data>)}
  615. >>> f = ContactFormWithMugshot(data, file_data)
  616. In practice, you will usually specify ``request.FILES`` as the source
  617. of file data (just like you use ``request.POST`` as the source of
  618. form data)::
  619. # Bound form with an image field, data from the request
  620. >>> f = ContactFormWithMugshot(request.POST, request.FILES)
  621. Constructing an unbound form is the same as always -- just omit both
  622. form data *and* file data::
  623. # Unbound form with a image field
  624. >>> f = ContactFormWithMugshot()
  625. Testing for multipart forms
  626. ~~~~~~~~~~~~~~~~~~~~~~~~~~~
  627. .. method:: Form.is_multipart
  628. If you're writing reusable views or templates, you may not know ahead of time
  629. whether your form is a multipart form or not. The ``is_multipart()`` method
  630. tells you whether the form requires multipart encoding for submission::
  631. >>> f = ContactFormWithMugshot()
  632. >>> f.is_multipart()
  633. True
  634. Here's an example of how you might use this in a template::
  635. {% if form.is_multipart %}
  636. <form enctype="multipart/form-data" method="post" action="/foo/">
  637. {% else %}
  638. <form method="post" action="/foo/">
  639. {% endif %}
  640. {{ form }}
  641. </form>
  642. Subclassing forms
  643. -----------------
  644. If you have multiple ``Form`` classes that share fields, you can use
  645. subclassing to remove redundancy.
  646. When you subclass a custom ``Form`` class, the resulting subclass will
  647. include all fields of the parent class(es), followed by the fields you define
  648. in the subclass.
  649. In this example, ``ContactFormWithPriority`` contains all the fields from
  650. ``ContactForm``, plus an additional field, ``priority``. The ``ContactForm``
  651. fields are ordered first::
  652. >>> class ContactFormWithPriority(ContactForm):
  653. ... priority = forms.CharField()
  654. >>> f = ContactFormWithPriority(auto_id=False)
  655. >>> print(f.as_ul())
  656. <li>Subject: <input type="text" name="subject" maxlength="100" /></li>
  657. <li>Message: <input type="text" name="message" /></li>
  658. <li>Sender: <input type="email" name="sender" /></li>
  659. <li>Cc myself: <input type="checkbox" name="cc_myself" /></li>
  660. <li>Priority: <input type="text" name="priority" /></li>
  661. It's possible to subclass multiple forms, treating forms as "mix-ins." In this
  662. example, ``BeatleForm`` subclasses both ``PersonForm`` and ``InstrumentForm``
  663. (in that order), and its field list includes the fields from the parent
  664. classes::
  665. >>> from django.forms import Form
  666. >>> class PersonForm(Form):
  667. ... first_name = CharField()
  668. ... last_name = CharField()
  669. >>> class InstrumentForm(Form):
  670. ... instrument = CharField()
  671. >>> class BeatleForm(PersonForm, InstrumentForm):
  672. ... haircut_type = CharField()
  673. >>> b = BeatleForm(auto_id=False)
  674. >>> print(b.as_ul())
  675. <li>First name: <input type="text" name="first_name" /></li>
  676. <li>Last name: <input type="text" name="last_name" /></li>
  677. <li>Instrument: <input type="text" name="instrument" /></li>
  678. <li>Haircut type: <input type="text" name="haircut_type" /></li>
  679. .. versionadded:: 1.7
  680. * It's possible to opt-out from a ``Field`` inherited from a parent class by
  681. shadowing it. While any non-``Field`` value works for this purpose, it's
  682. recommended to use ``None`` to make it explicit that a field is being
  683. nullified.
  684. .. _form-prefix:
  685. Prefixes for forms
  686. ------------------
  687. .. attribute:: Form.prefix
  688. You can put several Django forms inside one ``<form>`` tag. To give each
  689. ``Form`` its own namespace, use the ``prefix`` keyword argument::
  690. >>> mother = PersonForm(prefix="mother")
  691. >>> father = PersonForm(prefix="father")
  692. >>> print(mother.as_ul())
  693. <li><label for="id_mother-first_name">First name:</label> <input type="text" name="mother-first_name" id="id_mother-first_name" /></li>
  694. <li><label for="id_mother-last_name">Last name:</label> <input type="text" name="mother-last_name" id="id_mother-last_name" /></li>
  695. >>> print(father.as_ul())
  696. <li><label for="id_father-first_name">First name:</label> <input type="text" name="father-first_name" id="id_father-first_name" /></li>
  697. <li><label for="id_father-last_name">Last name:</label> <input type="text" name="father-last_name" id="id_father-last_name" /></li>