validation.txt 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454
  1. .. _form-and-field-validation:
  2. Form and field validation
  3. =========================
  4. Form validation happens when the data is cleaned. If you want to customize
  5. this process, there are various places you can change, each one serving a
  6. different purpose. Three types of cleaning methods are run during form
  7. processing. These are normally executed when you call the ``is_valid()``
  8. method on a form. There are other things that can trigger cleaning and
  9. validation (accessing the ``errors`` attribute or calling ``full_clean()``
  10. directly), but normally they won't be needed.
  11. In general, any cleaning method can raise ``ValidationError`` if there is a
  12. problem with the data it is processing, passing the relevant information to
  13. the ``ValidationError`` constructor. :ref:`See below <raising-validation-error>`
  14. for the best practice in raising ``ValidationError``. If no ``ValidationError``
  15. is raised, the method should return the cleaned (normalized) data as a Python
  16. object.
  17. Most validation can be done using `validators`_ - simple helpers that can be
  18. reused easily. Validators are simple functions (or callables) that take a single
  19. argument and raise ``ValidationError`` on invalid input. Validators are run
  20. after the field's ``to_python`` and ``validate`` methods have been called.
  21. Validation of a Form is split into several steps, which can be customized or
  22. overridden:
  23. * The ``to_python()`` method on a Field is the first step in every
  24. validation. It coerces the value to correct datatype and raises
  25. ``ValidationError`` if that is not possible. This method accepts the raw
  26. value from the widget and returns the converted value. For example, a
  27. FloatField will turn the data into a Python ``float`` or raise a
  28. ``ValidationError``.
  29. * The ``validate()`` method on a Field handles field-specific validation
  30. that is not suitable for a validator, It takes a value that has been
  31. coerced to correct datatype and raises ``ValidationError`` on any error.
  32. This method does not return anything and shouldn't alter the value. You
  33. should override it to handle validation logic that you can't or don't
  34. want to put in a validator.
  35. * The ``run_validators()`` method on a Field runs all of the field's
  36. validators and aggregates all the errors into a single
  37. ``ValidationError``. You shouldn't need to override this method.
  38. * The ``clean()`` method on a Field subclass. This is responsible for
  39. running ``to_python``, ``validate`` and ``run_validators`` in the correct
  40. order and propagating their errors. If, at any time, any of the methods
  41. raise ``ValidationError``, the validation stops and that error is raised.
  42. This method returns the clean data, which is then inserted into the
  43. ``cleaned_data`` dictionary of the form.
  44. * The ``clean_<fieldname>()`` method in a form subclass -- where
  45. ``<fieldname>`` is replaced with the name of the form field attribute.
  46. This method does any cleaning that is specific to that particular
  47. attribute, unrelated to the type of field that it is. This method is not
  48. passed any parameters. You will need to look up the value of the field
  49. in ``self.cleaned_data`` and remember that it will be a Python object
  50. at this point, not the original string submitted in the form (it will be
  51. in ``cleaned_data`` because the general field ``clean()`` method, above,
  52. has already cleaned the data once).
  53. For example, if you wanted to validate that the contents of a
  54. ``CharField`` called ``serialnumber`` was unique,
  55. ``clean_serialnumber()`` would be the right place to do this. You don't
  56. need a specific field (it's just a ``CharField``), but you want a
  57. formfield-specific piece of validation and, possibly,
  58. cleaning/normalizing the data.
  59. This method should return the cleaned value obtained from cleaned_data,
  60. regardless of whether it changed anything or not.
  61. * The Form subclass's ``clean()`` method. This method can perform
  62. any validation that requires access to multiple fields from the form at
  63. once. This is where you might put in things to check that if field ``A``
  64. is supplied, field ``B`` must contain a valid email address and the
  65. like. This method can return a completely different dictionary if it wishes,
  66. which will be used as the ``cleaned_data``.
  67. Note that any errors raised by your ``Form.clean()`` override will not
  68. be associated with any field in particular. They go into a special
  69. "field" (called ``__all__``), which you can access via the
  70. ``non_field_errors()`` method if you need to. If you want to attach
  71. errors to a specific field in the form, you will need to access the
  72. ``_errors`` attribute on the form, which is
  73. :ref:`described later <modifying-field-errors>`.
  74. Also note that there are special considerations when overriding
  75. the ``clean()`` method of a ``ModelForm`` subclass. (see the
  76. :ref:`ModelForm documentation
  77. <overriding-modelform-clean-method>` for more information)
  78. These methods are run in the order given above, one field at a time. That is,
  79. for each field in the form (in the order they are declared in the form
  80. definition), the ``Field.clean()`` method (or its override) is run, then
  81. ``clean_<fieldname>()``. Finally, once those two methods are run for every
  82. field, the ``Form.clean()`` method, or its override, is executed.
  83. Examples of each of these methods are provided below.
  84. As mentioned, any of these methods can raise a ``ValidationError``. For any
  85. field, if the ``Field.clean()`` method raises a ``ValidationError``, any
  86. field-specific cleaning method is not called. However, the cleaning methods
  87. for all remaining fields are still executed.
  88. The ``clean()`` method for the ``Form`` class or subclass is always run. If
  89. that method raises a ``ValidationError``, ``cleaned_data`` will be an empty
  90. dictionary.
  91. The previous paragraph means that if you are overriding ``Form.clean()``, you
  92. should iterate through ``self.cleaned_data.items()``, possibly considering the
  93. ``_errors`` dictionary attribute on the form as well. In this way, you will
  94. already know which fields have passed their individual validation requirements.
  95. .. _raising-validation-error:
  96. Raising ``ValidationError``
  97. ---------------------------
  98. .. versionchanged:: 1.6
  99. In order to make error messages flexible and easy to override, consider the
  100. following guidelines:
  101. * Provide a descriptive error ``code`` to the constructor::
  102. # Good
  103. ValidationError(_('Invalid value'), code='invalid')
  104. # Bad
  105. ValidationError(_('Invalid value'))
  106. * Don't coerce variables into the message; use placeholders and the ``params``
  107. argument of the constructor::
  108. # Good
  109. ValidationError(
  110. _('Invalid value: %(value)s'),
  111. params={'value': '42'},
  112. )
  113. # Bad
  114. ValidationError(_('Invalid value: %s') % value)
  115. * Use mapping keys instead of positional formatting. This enables putting
  116. the variables in any order or omitting them altogether when rewriting the
  117. message::
  118. # Good
  119. ValidationError(
  120. _('Invalid value: %(value)s'),
  121. params={'value': '42'},
  122. )
  123. # Bad
  124. ValidationError(
  125. _('Invalid value: %s'),
  126. params=('42',),
  127. )
  128. * Wrap the message with ``gettext`` to enable translation::
  129. # Good
  130. ValidationError(_('Invalid value'))
  131. # Bad
  132. ValidationError('Invalid value')
  133. Putting it all together::
  134. raise ValidationError(
  135. _('Invalid value: %(value)s'),
  136. code='invalid',
  137. params={'value': '42'},
  138. )
  139. Following these guidelines is particularly necessary if you write reusable
  140. forms, form fields, and model fields.
  141. While not recommended, if you are at the end of the validation chain
  142. (i.e. your form ``clean()`` method) and you know you will *never* need
  143. to override your error message you can still opt for the less verbose::
  144. ValidationError(_('Invalid value: %s') % value)
  145. Raising multiple errors
  146. ~~~~~~~~~~~~~~~~~~~~~~~
  147. If you detect multiple errors during a cleaning method and wish to signal all
  148. of them to the form submitter, it is possible to pass a list of errors to the
  149. ``ValidationError`` constructor.
  150. As above, it is recommended to pass a list of ``ValidationError`` instances
  151. with ``code``\s and ``params`` but a list of strings will also work::
  152. # Good
  153. raise ValidationError([
  154. ValidationError(_('Error 1'), code='error1'),
  155. ValidationError(_('Error 2'), code='error2'),
  156. ])
  157. # Bad
  158. raise ValidationError([
  159. _('Error 1'),
  160. _('Error 2'),
  161. ])
  162. .. _modifying-field-errors:
  163. Form subclasses and modifying field errors
  164. ------------------------------------------
  165. Sometimes, in a form's ``clean()`` method, you will want to add an error
  166. message to a particular field in the form. This won't always be appropriate
  167. and the more typical situation is to raise a ``ValidationError`` from
  168. ``Form.clean()``, which is turned into a form-wide error that is available
  169. through the ``Form.non_field_errors()`` method.
  170. When you really do need to attach the error to a particular field, you should
  171. store (or amend) a key in the ``Form._errors`` attribute. This attribute is an
  172. instance of a ``django.forms.util.ErrorDict`` class. Essentially, though, it's
  173. just a dictionary. There is a key in the dictionary for each field in the form
  174. that has an error. Each value in the dictionary is a
  175. ``django.forms.util.ErrorList`` instance, which is a list that knows how to
  176. display itself in different ways. So you can treat ``_errors`` as a dictionary
  177. mapping field names to lists.
  178. If you want to add a new error to a particular field, you should check whether
  179. the key already exists in ``self._errors`` or not. If not, create a new entry
  180. for the given key, holding an empty ``ErrorList`` instance. In either case,
  181. you can then append your error message to the list for the field name in
  182. question and it will be displayed when the form is displayed.
  183. There is an example of modifying ``self._errors`` in the following section.
  184. .. admonition:: What's in a name?
  185. You may be wondering why is this attribute called ``_errors`` and not
  186. ``errors``. Normal Python practice is to prefix a name with an underscore
  187. if it's not for external usage. In this case, you are subclassing the
  188. ``Form`` class, so you are essentially writing new internals. In effect,
  189. you are given permission to access some of the internals of ``Form``.
  190. Of course, any code outside your form should never access ``_errors``
  191. directly. The data is available to external code through the ``errors``
  192. property, which populates ``_errors`` before returning it).
  193. Another reason is purely historical: the attribute has been called
  194. ``_errors`` since the early days of the forms module and changing it now
  195. (particularly since ``errors`` is used for the read-only property name)
  196. would be inconvenient for a number of reasons. You can use whichever
  197. explanation makes you feel more comfortable. The result is the same.
  198. Using validation in practice
  199. ----------------------------
  200. The previous sections explained how validation works in general for forms.
  201. Since it can sometimes be easier to put things into place by seeing each
  202. feature in use, here are a series of small examples that use each of the
  203. previous features.
  204. .. _validators:
  205. Using validators
  206. ~~~~~~~~~~~~~~~~
  207. Django's form (and model) fields support use of simple utility functions and
  208. classes known as validators. These can be passed to a field's constructor, via
  209. the field's ``validators`` argument, or defined on the Field class itself with
  210. the ``default_validators`` attribute.
  211. Simple validators can be used to validate values inside the field, let's have
  212. a look at Django's ``SlugField``::
  213. from django.forms import CharField
  214. from django.core import validators
  215. class SlugField(CharField):
  216. default_validators = [validators.validate_slug]
  217. As you can see, ``SlugField`` is just a ``CharField`` with a customized
  218. validator that validates that submitted text obeys to some character rules.
  219. This can also be done on field definition so::
  220. slug = forms.SlugField()
  221. is equivalent to::
  222. slug = forms.CharField(validators=[validators.validate_slug])
  223. Form field default cleaning
  224. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  225. Let's firstly create a custom form field that validates its input is a string
  226. containing comma-separated email addresses. The full class looks like this::
  227. from django import forms
  228. from django.core.validators import validate_email
  229. class MultiEmailField(forms.Field):
  230. def to_python(self, value):
  231. "Normalize data to a list of strings."
  232. # Return an empty list if no input was given.
  233. if not value:
  234. return []
  235. return value.split(',')
  236. def validate(self, value):
  237. "Check if value consists only of valid emails."
  238. # Use the parent's handling of required fields, etc.
  239. super(MultiEmailField, self).validate(value)
  240. for email in value:
  241. validate_email(email)
  242. Every form that uses this field will have these methods run before anything
  243. else can be done with the field's data. This is cleaning that is specific to
  244. this type of field, regardless of how it is subsequently used.
  245. Let's create a simple ``ContactForm`` to demonstrate how you'd use this
  246. field::
  247. class ContactForm(forms.Form):
  248. subject = forms.CharField(max_length=100)
  249. message = forms.CharField()
  250. sender = forms.EmailField()
  251. recipients = MultiEmailField()
  252. cc_myself = forms.BooleanField(required=False)
  253. Simply use ``MultiEmailField`` like any other form field. When the
  254. ``is_valid()`` method is called on the form, the ``MultiEmailField.clean()``
  255. method will be run as part of the cleaning process and it will, in turn, call
  256. the custom ``to_python()`` and ``validate()`` methods.
  257. Cleaning a specific field attribute
  258. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  259. Continuing on from the previous example, suppose that in our ``ContactForm``,
  260. we want to make sure that the ``recipients`` field always contains the address
  261. ``"fred@example.com"``. This is validation that is specific to our form, so we
  262. don't want to put it into the general ``MultiEmailField`` class. Instead, we
  263. write a cleaning method that operates on the ``recipients`` field, like so::
  264. from django import forms
  265. class ContactForm(forms.Form):
  266. # Everything as before.
  267. ...
  268. def clean_recipients(self):
  269. data = self.cleaned_data['recipients']
  270. if "fred@example.com" not in data:
  271. raise forms.ValidationError("You have forgotten about Fred!")
  272. # Always return the cleaned data, whether you have changed it or
  273. # not.
  274. return data
  275. Cleaning and validating fields that depend on each other
  276. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  277. .. method:: django.forms.Form.clean
  278. Suppose we add another requirement to our contact form: if the ``cc_myself``
  279. field is ``True``, the ``subject`` must contain the word ``"help"``. We are
  280. performing validation on more than one field at a time, so the form's
  281. ``clean()`` method is a good spot to do this. Notice that we are talking about
  282. the ``clean()`` method on the form here, whereas earlier we were writing a
  283. ``clean()`` method on a field. It's important to keep the field and form
  284. difference clear when working out where to validate things. Fields are single
  285. data points, forms are a collection of fields.
  286. By the time the form's ``clean()`` method is called, all the individual field
  287. clean methods will have been run (the previous two sections), so
  288. ``self.cleaned_data`` will be populated with any data that has survived so
  289. far. So you also need to remember to allow for the fact that the fields you
  290. are wanting to validate might not have survived the initial individual field
  291. checks.
  292. There are two ways to report any errors from this step. Probably the most
  293. common method is to display the error at the top of the form. To create such
  294. an error, you can raise a ``ValidationError`` from the ``clean()`` method. For
  295. example::
  296. from django import forms
  297. class ContactForm(forms.Form):
  298. # Everything as before.
  299. ...
  300. def clean(self):
  301. cleaned_data = super(ContactForm, self).clean()
  302. cc_myself = cleaned_data.get("cc_myself")
  303. subject = cleaned_data.get("subject")
  304. if cc_myself and subject:
  305. # Only do something if both fields are valid so far.
  306. if "help" not in subject:
  307. raise forms.ValidationError("Did not send for 'help' in "
  308. "the subject despite CC'ing yourself.")
  309. In this code, if the validation error is raised, the form will display an
  310. error message at the top of the form (normally) describing the problem.
  311. Note that the call to ``super(ContactForm, self).clean()`` in the example code
  312. ensures that any validation logic in parent classes is maintained.
  313. The second approach might involve assigning the error message to one of the
  314. fields. In this case, let's assign an error message to both the "subject" and
  315. "cc_myself" rows in the form display. Be careful when doing this in practice,
  316. since it can lead to confusing form output. We're showing what is possible
  317. here and leaving it up to you and your designers to work out what works
  318. effectively in your particular situation. Our new code (replacing the previous
  319. sample) looks like this::
  320. from django import forms
  321. class ContactForm(forms.Form):
  322. # Everything as before.
  323. ...
  324. def clean(self):
  325. cleaned_data = super(ContactForm, self).clean()
  326. cc_myself = cleaned_data.get("cc_myself")
  327. subject = cleaned_data.get("subject")
  328. if cc_myself and subject and "help" not in subject:
  329. # We know these are not in self._errors now (see discussion
  330. # below).
  331. msg = u"Must put 'help' in subject when cc'ing yourself."
  332. self._errors["cc_myself"] = self.error_class([msg])
  333. self._errors["subject"] = self.error_class([msg])
  334. # These fields are no longer valid. Remove them from the
  335. # cleaned data.
  336. del cleaned_data["cc_myself"]
  337. del cleaned_data["subject"]
  338. As you can see, this approach requires a bit more effort, not withstanding the
  339. extra design effort to create a sensible form display. The details are worth
  340. noting, however. Firstly, earlier we mentioned that you might need to check if
  341. the field name keys already exist in the ``_errors`` dictionary. In this case,
  342. since we know the fields exist in ``self.cleaned_data``, they must have been
  343. valid when cleaned as individual fields, so there will be no corresponding
  344. entries in ``_errors``.
  345. Secondly, once we have decided that the combined data in the two fields we are
  346. considering aren't valid, we must remember to remove them from the
  347. ``cleaned_data``. `cleaned_data`` is present even if the form doesn't
  348. validate, but it contains only field values that did validate.