modelforms.txt 39 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050
  1. ==========================
  2. Creating forms from models
  3. ==========================
  4. .. module:: django.forms.models
  5. :synopsis: ModelForm and ModelFormset.
  6. .. currentmodule:: django.forms
  7. ``ModelForm``
  8. =============
  9. .. class:: ModelForm
  10. If you're building a database-driven app, chances are you'll have forms that
  11. map closely to Django models. For instance, you might have a ``BlogComment``
  12. model, and you want to create a form that lets people submit comments. In this
  13. case, it would be redundant to define the field types in your form, because
  14. you've already defined the fields in your model.
  15. For this reason, Django provides a helper class that let you create a ``Form``
  16. class from a Django model.
  17. For example::
  18. >>> from django.forms import ModelForm
  19. >>> from myapp.models import Article
  20. # Create the form class.
  21. >>> class ArticleForm(ModelForm):
  22. ... class Meta:
  23. ... model = Article
  24. ... fields = ['pub_date', 'headline', 'content', 'reporter']
  25. # Creating a form to add an article.
  26. >>> form = ArticleForm()
  27. # Creating a form to change an existing article.
  28. >>> article = Article.objects.get(pk=1)
  29. >>> form = ArticleForm(instance=article)
  30. Field types
  31. -----------
  32. The generated ``Form`` class will have a form field for every model field
  33. specified, in the order specified in the ``fields`` attribute.
  34. Each model field has a corresponding default form field. For example, a
  35. ``CharField`` on a model is represented as a ``CharField`` on a form. A model
  36. ``ManyToManyField`` is represented as a ``MultipleChoiceField``. Here is the
  37. full list of conversions:
  38. =============================== ========================================
  39. Model field Form field
  40. =============================== ========================================
  41. ``AutoField`` Not represented in the form
  42. ``BigIntegerField`` ``IntegerField`` with ``min_value`` set
  43. to -9223372036854775808 and ``max_value``
  44. set to 9223372036854775807.
  45. ``BooleanField`` ``BooleanField``
  46. ``CharField`` ``CharField`` with ``max_length`` set to
  47. the model field's ``max_length``
  48. ``CommaSeparatedIntegerField`` ``CharField``
  49. ``DateField`` ``DateField``
  50. ``DateTimeField`` ``DateTimeField``
  51. ``DecimalField`` ``DecimalField``
  52. ``EmailField`` ``EmailField``
  53. ``FileField`` ``FileField``
  54. ``FilePathField`` ``FilePathField``
  55. ``FloatField`` ``FloatField``
  56. ``ForeignKey`` ``ModelChoiceField`` (see below)
  57. ``ImageField`` ``ImageField``
  58. ``IntegerField`` ``IntegerField``
  59. ``IPAddressField`` ``IPAddressField``
  60. ``GenericIPAddressField`` ``GenericIPAddressField``
  61. ``ManyToManyField`` ``ModelMultipleChoiceField`` (see
  62. below)
  63. ``NullBooleanField`` ``CharField``
  64. ``PositiveIntegerField`` ``IntegerField``
  65. ``PositiveSmallIntegerField`` ``IntegerField``
  66. ``SlugField`` ``SlugField``
  67. ``SmallIntegerField`` ``IntegerField``
  68. ``TextField`` ``CharField`` with
  69. ``widget=forms.Textarea``
  70. ``TimeField`` ``TimeField``
  71. ``URLField`` ``URLField``
  72. =============================== ========================================
  73. As you might expect, the ``ForeignKey`` and ``ManyToManyField`` model field
  74. types are special cases:
  75. * ``ForeignKey`` is represented by ``django.forms.ModelChoiceField``,
  76. which is a ``ChoiceField`` whose choices are a model ``QuerySet``.
  77. * ``ManyToManyField`` is represented by
  78. ``django.forms.ModelMultipleChoiceField``, which is a
  79. ``MultipleChoiceField`` whose choices are a model ``QuerySet``.
  80. In addition, each generated form field has attributes set as follows:
  81. * If the model field has ``blank=True``, then ``required`` is set to
  82. ``False`` on the form field. Otherwise, ``required=True``.
  83. * The form field's ``label`` is set to the ``verbose_name`` of the model
  84. field, with the first character capitalized.
  85. * The form field's ``help_text`` is set to the ``help_text`` of the model
  86. field.
  87. * If the model field has ``choices`` set, then the form field's ``widget``
  88. will be set to ``Select``, with choices coming from the model field's
  89. ``choices``. The choices will normally include the blank choice which is
  90. selected by default. If the field is required, this forces the user to
  91. make a selection. The blank choice will not be included if the model
  92. field has ``blank=False`` and an explicit ``default`` value (the
  93. ``default`` value will be initially selected instead).
  94. Finally, note that you can override the form field used for a given model
  95. field. See `Overriding the default fields`_ below.
  96. A full example
  97. --------------
  98. Consider this set of models::
  99. from django.db import models
  100. from django.forms import ModelForm
  101. TITLE_CHOICES = (
  102. ('MR', 'Mr.'),
  103. ('MRS', 'Mrs.'),
  104. ('MS', 'Ms.'),
  105. )
  106. class Author(models.Model):
  107. name = models.CharField(max_length=100)
  108. title = models.CharField(max_length=3, choices=TITLE_CHOICES)
  109. birth_date = models.DateField(blank=True, null=True)
  110. def __unicode__(self):
  111. return self.name
  112. class Book(models.Model):
  113. name = models.CharField(max_length=100)
  114. authors = models.ManyToManyField(Author)
  115. class AuthorForm(ModelForm):
  116. class Meta:
  117. model = Author
  118. fields = ['name', 'title', 'birth_date']
  119. class BookForm(ModelForm):
  120. class Meta:
  121. model = Book
  122. fields = ['name', 'authors']
  123. With these models, the ``ModelForm`` subclasses above would be roughly
  124. equivalent to this (the only difference being the ``save()`` method, which
  125. we'll discuss in a moment.)::
  126. from django import forms
  127. class AuthorForm(forms.Form):
  128. name = forms.CharField(max_length=100)
  129. title = forms.CharField(max_length=3,
  130. widget=forms.Select(choices=TITLE_CHOICES))
  131. birth_date = forms.DateField(required=False)
  132. class BookForm(forms.Form):
  133. name = forms.CharField(max_length=100)
  134. authors = forms.ModelMultipleChoiceField(queryset=Author.objects.all())
  135. .. _modelform-is-valid-and-errors:
  136. The ``is_valid()`` method and ``errors``
  137. ----------------------------------------
  138. The first time you call ``is_valid()`` or access the ``errors`` attribute of a
  139. ``ModelForm`` triggers :ref:`form validation <form-and-field-validation>` as
  140. well as :ref:`model validation <validating-objects>`. This has the side-effect
  141. of cleaning the model you pass to the ``ModelForm`` constructor. For instance,
  142. calling ``is_valid()`` on your form will convert any date fields on your model
  143. to actual date objects. If form validation fails, only some of the updates
  144. may be applied. For this reason, you'll probably want to avoid reusing the
  145. model instance passed to the form, especially if validation fails.
  146. The ``save()`` method
  147. ---------------------
  148. Every form produced by ``ModelForm`` also has a ``save()``
  149. method. This method creates and saves a database object from the data
  150. bound to the form. A subclass of ``ModelForm`` can accept an existing
  151. model instance as the keyword argument ``instance``; if this is
  152. supplied, ``save()`` will update that instance. If it's not supplied,
  153. ``save()`` will create a new instance of the specified model:
  154. .. code-block:: python
  155. >>> from myapp.models import Article
  156. >>> from myapp.forms import ArticleForm
  157. # Create a form instance from POST data.
  158. >>> f = ArticleForm(request.POST)
  159. # Save a new Article object from the form's data.
  160. >>> new_article = f.save()
  161. # Create a form to edit an existing Article, but use
  162. # POST data to populate the form.
  163. >>> a = Article.objects.get(pk=1)
  164. >>> f = ArticleForm(request.POST, instance=a)
  165. >>> f.save()
  166. Note that if the form :ref:`hasn't been validated
  167. <modelform-is-valid-and-errors>`, calling ``save()`` will do so by checking
  168. ``form.errors``. A ``ValueError`` will be raised if the data in the form
  169. doesn't validate -- i.e., if ``form.errors`` evaluates to ``True``.
  170. This ``save()`` method accepts an optional ``commit`` keyword argument, which
  171. accepts either ``True`` or ``False``. If you call ``save()`` with
  172. ``commit=False``, then it will return an object that hasn't yet been saved to
  173. the database. In this case, it's up to you to call ``save()`` on the resulting
  174. model instance. This is useful if you want to do custom processing on the
  175. object before saving it, or if you want to use one of the specialized
  176. :ref:`model saving options <ref-models-force-insert>`. ``commit`` is ``True``
  177. by default.
  178. Another side effect of using ``commit=False`` is seen when your model has
  179. a many-to-many relation with another model. If your model has a many-to-many
  180. relation and you specify ``commit=False`` when you save a form, Django cannot
  181. immediately save the form data for the many-to-many relation. This is because
  182. it isn't possible to save many-to-many data for an instance until the instance
  183. exists in the database.
  184. To work around this problem, every time you save a form using ``commit=False``,
  185. Django adds a ``save_m2m()`` method to your ``ModelForm`` subclass. After
  186. you've manually saved the instance produced by the form, you can invoke
  187. ``save_m2m()`` to save the many-to-many form data. For example::
  188. # Create a form instance with POST data.
  189. >>> f = AuthorForm(request.POST)
  190. # Create, but don't save the new author instance.
  191. >>> new_author = f.save(commit=False)
  192. # Modify the author in some way.
  193. >>> new_author.some_field = 'some_value'
  194. # Save the new instance.
  195. >>> new_author.save()
  196. # Now, save the many-to-many data for the form.
  197. >>> f.save_m2m()
  198. Calling ``save_m2m()`` is only required if you use ``save(commit=False)``.
  199. When you use a simple ``save()`` on a form, all data -- including
  200. many-to-many data -- is saved without the need for any additional method calls.
  201. For example::
  202. # Create a form instance with POST data.
  203. >>> a = Author()
  204. >>> f = AuthorForm(request.POST, instance=a)
  205. # Create and save the new author instance. There's no need to do anything else.
  206. >>> new_author = f.save()
  207. Other than the ``save()`` and ``save_m2m()`` methods, a ``ModelForm`` works
  208. exactly the same way as any other ``forms`` form. For example, the
  209. ``is_valid()`` method is used to check for validity, the ``is_multipart()``
  210. method is used to determine whether a form requires multipart file upload (and
  211. hence whether ``request.FILES`` must be passed to the form), etc. See
  212. :ref:`binding-uploaded-files` for more information.
  213. .. _modelforms-selecting-fields:
  214. Selecting the fields to use
  215. ---------------------------
  216. It is strongly recommended that you explicitly set all fields that should be
  217. edited in the form using the ``fields`` attribute. Failure to do so can easily
  218. lead to security problems when a form unexpectedly allows a user to set certain
  219. fields, especially when new fields are added to a model. Depending on how the
  220. form is rendered, the problem may not even be visible on the web page.
  221. The alternative approach would be to include all fields automatically, or
  222. blacklist only some. This fundamental approach is known to be much less secure
  223. and has led to serious exploits on major websites (e.g. `GitHub
  224. <https://github.com/blog/1068-public-key-security-vulnerability-and-mitigation>`_).
  225. There are, however, two shortcuts available for cases where you can guarantee
  226. these security concerns do not apply to you:
  227. 1. Set the ``fields`` attribute to the special value ``'__all__'`` to indicate
  228. that all fields in the model should be used. For example::
  229. from django.forms import ModelForm
  230. class AuthorForm(ModelForm):
  231. class Meta:
  232. model = Author
  233. fields = '__all__'
  234. 2. Set the ``exclude`` attribute of the ``ModelForm``'s inner ``Meta`` class to
  235. a list of fields to be excluded from the form.
  236. For example::
  237. class PartialAuthorForm(ModelForm):
  238. class Meta:
  239. model = Author
  240. exclude = ['title']
  241. Since the ``Author`` model has the 3 fields ``name``, ``title`` and
  242. ``birth_date``, this will result in the fields ``name`` and ``birth_date``
  243. being present on the form.
  244. If either of these are used, the order the fields appear in the form will be the
  245. order the fields are defined in the model, with ``ManyToManyField`` instances
  246. appearing last.
  247. In addition, Django applies the following rule: if you set ``editable=False`` on
  248. the model field, *any* form created from the model via ``ModelForm`` will not
  249. include that field.
  250. .. versionchanged:: 1.6
  251. Before version 1.6, the ``'__all__'`` shortcut did not exist, but omitting
  252. the ``fields`` attribute had the same effect. Omitting both ``fields`` and
  253. ``exclude`` is now deprecated, but will continue to work as before until
  254. version 1.8
  255. .. note::
  256. Any fields not included in a form by the above logic
  257. will not be set by the form's ``save()`` method. Also, if you
  258. manually add the excluded fields back to the form, they will not
  259. be initialized from the model instance.
  260. Django will prevent any attempt to save an incomplete model, so if
  261. the model does not allow the missing fields to be empty, and does
  262. not provide a default value for the missing fields, any attempt to
  263. ``save()`` a ``ModelForm`` with missing fields will fail. To
  264. avoid this failure, you must instantiate your model with initial
  265. values for the missing, but required fields::
  266. author = Author(title='Mr')
  267. form = PartialAuthorForm(request.POST, instance=author)
  268. form.save()
  269. Alternatively, you can use ``save(commit=False)`` and manually set
  270. any extra required fields::
  271. form = PartialAuthorForm(request.POST)
  272. author = form.save(commit=False)
  273. author.title = 'Mr'
  274. author.save()
  275. See the `section on saving forms`_ for more details on using
  276. ``save(commit=False)``.
  277. .. _section on saving forms: `The save() method`_
  278. .. _modelforms-overriding-default-fields:
  279. Overriding the default fields
  280. -----------------------------
  281. The default field types, as described in the `Field types`_ table above, are
  282. sensible defaults. If you have a ``DateField`` in your model, chances are you'd
  283. want that to be represented as a ``DateField`` in your form. But
  284. ``ModelForm`` gives you the flexibility of changing the form field type and
  285. widget for a given model field.
  286. To specify a custom widget for a field, use the ``widgets`` attribute of the
  287. inner ``Meta`` class. This should be a dictionary mapping field names to widget
  288. classes or instances.
  289. For example, if you want the a ``CharField`` for the ``name``
  290. attribute of ``Author`` to be represented by a ``<textarea>`` instead
  291. of its default ``<input type="text">``, you can override the field's
  292. widget::
  293. from django.forms import ModelForm, Textarea
  294. from myapp.models import Author
  295. class AuthorForm(ModelForm):
  296. class Meta:
  297. model = Author
  298. fields = ('name', 'title', 'birth_date')
  299. widgets = {
  300. 'name': Textarea(attrs={'cols': 80, 'rows': 20}),
  301. }
  302. The ``widgets`` dictionary accepts either widget instances (e.g.,
  303. ``Textarea(...)``) or classes (e.g., ``Textarea``).
  304. .. versionadded:: 1.6
  305. The ``labels``, ``help_texts`` and ``error_messages`` options were added.
  306. Similarly, you can specify the ``labels``, ``help_texts`` and ``error_messages``
  307. attributes of the inner ``Meta`` class if you want to further customize a field.
  308. For example if you wanted to customize the wording of all user facing strings for
  309. the ``name`` field::
  310. class AuthorForm(ModelForm):
  311. class Meta:
  312. model = Author
  313. fields = ('name', 'title', 'birth_date')
  314. labels = {
  315. 'name': _('Writer'),
  316. }
  317. help_texts = {
  318. 'name': _('Some useful help text.'),
  319. }
  320. error_messages = {
  321. 'name': {
  322. 'max_length': _("This writer's name is too long."),
  323. },
  324. }
  325. Finally, if you want complete control over of a field -- including its type,
  326. validators, etc. -- you can do this by declaratively specifying fields like you
  327. would in a regular ``Form``. Declared fields will override the default ones
  328. generated by using the ``model`` attribute. Fields declared like this will
  329. ignore any customizations in the ``widgets``, ``labels``, ``help_texts``, and
  330. ``error_messages`` options declared on ``Meta``.
  331. For example, if you wanted to use ``MySlugFormField`` for the ``slug``
  332. field, you could do the following::
  333. from django.forms import ModelForm
  334. from myapp.models import Article
  335. class ArticleForm(ModelForm):
  336. slug = MySlugFormField()
  337. class Meta:
  338. model = Article
  339. fields = ['pub_date', 'headline', 'content', 'reporter']
  340. If you want to override a field's default validators, then specify the
  341. ``validators`` parameter when declaring the form field::
  342. from django.forms import ModelForm, DateField
  343. from myapp.models import Article
  344. class ArticleForm(ModelForm):
  345. slug = CharField(validators=[validate_slug])
  346. class Meta:
  347. model = Article
  348. fields = ['pub_date', 'headline', 'content', 'reporter', 'slug']
  349. .. note::
  350. If you explicitly instantiate a form field like this, Django assumes that you
  351. want to completely define its behavior; therefore, default attributes (such as
  352. ``max_length`` or ``required``) are not drawn from the corresponding model. If
  353. you want to maintain the behavior specified in the model, you must set the
  354. relevant arguments explicitly when declaring the form field.
  355. For example, if the ``Article`` model looks like this::
  356. class Article(models.Model):
  357. headline = models.CharField(max_length=200, null=True, blank=True,
  358. help_text="Use puns liberally")
  359. content = models.TextField()
  360. and you want to do some custom validation for ``headline``, while keeping
  361. the ``blank`` and ``help_text`` values as specified, you might define
  362. ``ArticleForm`` like this::
  363. class ArticleForm(ModelForm):
  364. headline = MyFormField(max_length=200, required=False,
  365. help_text="Use puns liberally")
  366. class Meta:
  367. model = Article
  368. fields = ['headline', 'content']
  369. You must ensure that the type of the form field can be used to set the
  370. contents of the corresponding model field. When they are not compatible,
  371. you will get a ``ValueError`` as no implicit conversion takes place.
  372. See the :doc:`form field documentation </ref/forms/fields>` for more information
  373. on fields and their arguments.
  374. Enabling localization of fields
  375. -------------------------------
  376. .. versionadded:: 1.6
  377. By default, the fields in a ``ModelForm`` will not localize their data. To
  378. enable localization for fields, you can use the ``localized_fields``
  379. attribute on the ``Meta`` class.
  380. >>> from django.forms import ModelForm
  381. >>> from myapp.models import Author
  382. >>> class AuthorForm(ModelForm):
  383. ... class Meta:
  384. ... model = Author
  385. ... localized_fields = ('birth_date',)
  386. If ``localized_fields`` is set to the special value ``'__all__'``, all fields
  387. will be localized.
  388. .. _overriding-modelform-clean-method:
  389. Overriding the clean() method
  390. -----------------------------
  391. You can override the ``clean()`` method on a model form to provide additional
  392. validation in the same way you can on a normal form.
  393. In this regard, model forms have two specific characteristics when compared to
  394. forms:
  395. By default the ``clean()`` method validates the uniqueness of fields that are
  396. marked as ``unique``, ``unique_together`` or ``unique_for_date|month|year`` on
  397. the model. Therefore, if you would like to override the ``clean()`` method and
  398. maintain the default validation, you must call the parent class's ``clean()``
  399. method.
  400. Also, a model form instance bound to a model object will contain a
  401. ``self.instance`` attribute that gives model form methods access to that
  402. specific model instance.
  403. Form inheritance
  404. ----------------
  405. As with basic forms, you can extend and reuse ``ModelForms`` by inheriting
  406. them. This is useful if you need to declare extra fields or extra methods on a
  407. parent class for use in a number of forms derived from models. For example,
  408. using the previous ``ArticleForm`` class::
  409. >>> class EnhancedArticleForm(ArticleForm):
  410. ... def clean_pub_date(self):
  411. ... ...
  412. This creates a form that behaves identically to ``ArticleForm``, except there's
  413. some extra validation and cleaning for the ``pub_date`` field.
  414. You can also subclass the parent's ``Meta`` inner class if you want to change
  415. the ``Meta.fields`` or ``Meta.excludes`` lists::
  416. >>> class RestrictedArticleForm(EnhancedArticleForm):
  417. ... class Meta(ArticleForm.Meta):
  418. ... exclude = ('body',)
  419. This adds the extra method from the ``EnhancedArticleForm`` and modifies
  420. the original ``ArticleForm.Meta`` to remove one field.
  421. There are a couple of things to note, however.
  422. * Normal Python name resolution rules apply. If you have multiple base
  423. classes that declare a ``Meta`` inner class, only the first one will be
  424. used. This means the child's ``Meta``, if it exists, otherwise the
  425. ``Meta`` of the first parent, etc.
  426. * For technical reasons, a subclass cannot inherit from both a ``ModelForm``
  427. and a ``Form`` simultaneously.
  428. Chances are these notes won't affect you unless you're trying to do something
  429. tricky with subclassing.
  430. Interaction with model validation
  431. ---------------------------------
  432. As part of its validation process, ``ModelForm`` will call the ``clean()``
  433. method of each field on your model that has a corresponding field on your form.
  434. If you have excluded any model fields, validation will not be run on those
  435. fields. See the :doc:`form validation </ref/forms/validation>` documentation
  436. for more on how field cleaning and validation work. Also, your model's
  437. ``clean()`` method will be called before any uniqueness checks are made. See
  438. :ref:`Validating objects <validating-objects>` for more information on the
  439. model's ``clean()`` hook.
  440. .. _modelforms-factory:
  441. ModelForm factory function
  442. --------------------------
  443. You can create forms from a given model using the standalone function
  444. :func:`~django.forms.models.modelform_factory`, instead of using a class
  445. definition. This may be more convenient if you do not have many customizations
  446. to make::
  447. >>> from django.forms.models import modelform_factory
  448. >>> from myapp.models import Book
  449. >>> BookForm = modelform_factory(Book, fields=("author", "title"))
  450. This can also be used to make simple modifications to existing forms, for
  451. example by specifying the widgets to be used for a given field::
  452. >>> from django.forms import Textarea
  453. >>> Form = modelform_factory(Book, form=BookForm,
  454. ... widgets={"title": Textarea()})
  455. The fields to include can be specified using the ``fields`` and ``exclude``
  456. keyword arguments, or the corresponding attributes on the ``ModelForm`` inner
  457. ``Meta`` class. Please see the ``ModelForm`` :ref:`modelforms-selecting-fields`
  458. documentation.
  459. ... or enable localization for specific fields::
  460. >>> Form = modelform_factory(Author, form=AuthorForm, localized_fields=("birth_date",))
  461. .. _model-formsets:
  462. Model formsets
  463. ==============
  464. .. class:: models.BaseModelFormSet
  465. Like :doc:`regular formsets </topics/forms/formsets>`, Django provides a couple
  466. of enhanced formset classes that make it easy to work with Django models. Let's
  467. reuse the ``Author`` model from above::
  468. >>> from django.forms.models import modelformset_factory
  469. >>> from myapp.models import Author
  470. >>> AuthorFormSet = modelformset_factory(Author)
  471. This will create a formset that is capable of working with the data associated
  472. with the ``Author`` model. It works just like a regular formset::
  473. >>> formset = AuthorFormSet()
  474. >>> print(formset)
  475. <input type="hidden" name="form-TOTAL_FORMS" value="1" id="id_form-TOTAL_FORMS" /><input type="hidden" name="form-INITIAL_FORMS" value="0" id="id_form-INITIAL_FORMS" /><input type="hidden" name="form-MAX_NUM_FORMS" id="id_form-MAX_NUM_FORMS" />
  476. <tr><th><label for="id_form-0-name">Name:</label></th><td><input id="id_form-0-name" type="text" name="form-0-name" maxlength="100" /></td></tr>
  477. <tr><th><label for="id_form-0-title">Title:</label></th><td><select name="form-0-title" id="id_form-0-title">
  478. <option value="" selected="selected">---------</option>
  479. <option value="MR">Mr.</option>
  480. <option value="MRS">Mrs.</option>
  481. <option value="MS">Ms.</option>
  482. </select></td></tr>
  483. <tr><th><label for="id_form-0-birth_date">Birth date:</label></th><td><input type="text" name="form-0-birth_date" id="id_form-0-birth_date" /><input type="hidden" name="form-0-id" id="id_form-0-id" /></td></tr>
  484. .. note::
  485. :func:`~django.forms.models.modelformset_factory` uses
  486. :func:`~django.forms.formsets.formset_factory` to generate formsets. This
  487. means that a model formset is just an extension of a basic formset that
  488. knows how to interact with a particular model.
  489. Changing the queryset
  490. ---------------------
  491. By default, when you create a formset from a model, the formset will use a
  492. queryset that includes all objects in the model (e.g.,
  493. ``Author.objects.all()``). You can override this behavior by using the
  494. ``queryset`` argument::
  495. >>> formset = AuthorFormSet(queryset=Author.objects.filter(name__startswith='O'))
  496. Alternatively, you can create a subclass that sets ``self.queryset`` in
  497. ``__init__``::
  498. from django.forms.models import BaseModelFormSet
  499. from myapp.models import Author
  500. class BaseAuthorFormSet(BaseModelFormSet):
  501. def __init__(self, *args, **kwargs):
  502. super(BaseAuthorFormSet, self).__init__(*args, **kwargs)
  503. self.queryset = Author.objects.filter(name__startswith='O')
  504. Then, pass your ``BaseAuthorFormSet`` class to the factory function::
  505. >>> AuthorFormSet = modelformset_factory(Author, formset=BaseAuthorFormSet)
  506. If you want to return a formset that doesn't include *any* pre-existing
  507. instances of the model, you can specify an empty QuerySet::
  508. >>> AuthorFormSet(queryset=Author.objects.none())
  509. Controlling which fields are used with ``fields`` and ``exclude``
  510. -----------------------------------------------------------------
  511. By default, a model formset uses all fields in the model that are not marked
  512. with ``editable=False``. However, this can be overridden at the formset level::
  513. >>> AuthorFormSet = modelformset_factory(Author, fields=('name', 'title'))
  514. Using ``fields`` restricts the formset to use only the given fields.
  515. Alternatively, you can take an "opt-out" approach, specifying which fields to
  516. exclude::
  517. >>> AuthorFormSet = modelformset_factory(Author, exclude=('birth_date',))
  518. Specifying widgets to use in the form with ``widgets``
  519. ------------------------------------------------------
  520. .. versionadded:: 1.6
  521. Using the ``widgets`` parameter, you can specify a dictionary of values to
  522. customize the ``ModelForm``'s widget class for a particular field. This
  523. works the same way as the ``widgets`` dictionary on the inner ``Meta``
  524. class of a ``ModelForm`` works::
  525. >>> AuthorFormSet = modelformset_factory(
  526. ... Author, widgets={'name': Textarea(attrs={'cols': 80, 'rows': 20})
  527. Enabling localization for fields with ``localized_fields``
  528. ----------------------------------------------------------
  529. .. versionadded:: 1.6
  530. Using the ``localized_fields`` parameter, you can enable localization for
  531. fields in the form.
  532. >>> AuthorFormSet = modelformset_factory(
  533. ... Author, localized_fields=('value',))
  534. If ``localized_fields`` is set to the special value ``'__all__'``, all fields
  535. will be localized.
  536. Providing initial values
  537. ------------------------
  538. As with regular formsets, it's possible to :ref:`specify initial data
  539. <formsets-initial-data>` for forms in the formset by specifying an ``initial``
  540. parameter when instantiating the model formset class returned by
  541. :func:`~django.forms.models.modelformset_factory`. However, with model
  542. formsets, the initial values only apply to extra forms, those that aren't bound
  543. to an existing object instance.
  544. .. _saving-objects-in-the-formset:
  545. Saving objects in the formset
  546. -----------------------------
  547. As with a ``ModelForm``, you can save the data as a model object. This is done
  548. with the formset's ``save()`` method::
  549. # Create a formset instance with POST data.
  550. >>> formset = AuthorFormSet(request.POST)
  551. # Assuming all is valid, save the data.
  552. >>> instances = formset.save()
  553. The ``save()`` method returns the instances that have been saved to the
  554. database. If a given instance's data didn't change in the bound data, the
  555. instance won't be saved to the database and won't be included in the return
  556. value (``instances``, in the above example).
  557. When fields are missing from the form (for example because they have been
  558. excluded), these fields will not be set by the ``save()`` method. You can find
  559. more information about this restriction, which also holds for regular
  560. ``ModelForms``, in `Selecting the fields to use`_.
  561. Pass ``commit=False`` to return the unsaved model instances::
  562. # don't save to the database
  563. >>> instances = formset.save(commit=False)
  564. >>> for instance in instances:
  565. ... # do something with instance
  566. ... instance.save()
  567. This gives you the ability to attach data to the instances before saving them
  568. to the database. If your formset contains a ``ManyToManyField``, you'll also
  569. need to call ``formset.save_m2m()`` to ensure the many-to-many relationships
  570. are saved properly.
  571. .. _model-formsets-max-num:
  572. Limiting the number of editable objects
  573. ---------------------------------------
  574. As with regular formsets, you can use the ``max_num`` and ``extra`` parameters
  575. to :func:`~django.forms.models.modelformset_factory` to limit the number of
  576. extra forms displayed.
  577. ``max_num`` does not prevent existing objects from being displayed::
  578. >>> Author.objects.order_by('name')
  579. [<Author: Charles Baudelaire>, <Author: Paul Verlaine>, <Author: Walt Whitman>]
  580. >>> AuthorFormSet = modelformset_factory(Author, max_num=1)
  581. >>> formset = AuthorFormSet(queryset=Author.objects.order_by('name'))
  582. >>> [x.name for x in formset.get_queryset()]
  583. [u'Charles Baudelaire', u'Paul Verlaine', u'Walt Whitman']
  584. If the value of ``max_num`` is greater than the number of existing related
  585. objects, up to ``extra`` additional blank forms will be added to the formset,
  586. so long as the total number of forms does not exceed ``max_num``::
  587. >>> AuthorFormSet = modelformset_factory(Author, max_num=4, extra=2)
  588. >>> formset = AuthorFormSet(queryset=Author.objects.order_by('name'))
  589. >>> for form in formset:
  590. ... print(form.as_table())
  591. <tr><th><label for="id_form-0-name">Name:</label></th><td><input id="id_form-0-name" type="text" name="form-0-name" value="Charles Baudelaire" maxlength="100" /><input type="hidden" name="form-0-id" value="1" id="id_form-0-id" /></td></tr>
  592. <tr><th><label for="id_form-1-name">Name:</label></th><td><input id="id_form-1-name" type="text" name="form-1-name" value="Paul Verlaine" maxlength="100" /><input type="hidden" name="form-1-id" value="3" id="id_form-1-id" /></td></tr>
  593. <tr><th><label for="id_form-2-name">Name:</label></th><td><input id="id_form-2-name" type="text" name="form-2-name" value="Walt Whitman" maxlength="100" /><input type="hidden" name="form-2-id" value="2" id="id_form-2-id" /></td></tr>
  594. <tr><th><label for="id_form-3-name">Name:</label></th><td><input id="id_form-3-name" type="text" name="form-3-name" maxlength="100" /><input type="hidden" name="form-3-id" id="id_form-3-id" /></td></tr>
  595. A ``max_num`` value of ``None`` (the default) puts a high limit on the number
  596. of forms displayed (1000). In practice this is equivalent to no limit.
  597. Using a model formset in a view
  598. -------------------------------
  599. Model formsets are very similar to formsets. Let's say we want to present a
  600. formset to edit ``Author`` model instances::
  601. from django.forms.models import modelformset_factory
  602. from django.shortcuts import render_to_response
  603. from myapp.models import Author
  604. def manage_authors(request):
  605. AuthorFormSet = modelformset_factory(Author)
  606. if request.method == 'POST':
  607. formset = AuthorFormSet(request.POST, request.FILES)
  608. if formset.is_valid():
  609. formset.save()
  610. # do something.
  611. else:
  612. formset = AuthorFormSet()
  613. return render_to_response("manage_authors.html", {
  614. "formset": formset,
  615. })
  616. As you can see, the view logic of a model formset isn't drastically different
  617. than that of a "normal" formset. The only difference is that we call
  618. ``formset.save()`` to save the data into the database. (This was described
  619. above, in :ref:`saving-objects-in-the-formset`.)
  620. Overiding ``clean()`` on a ``model_formset``
  621. --------------------------------------------
  622. Just like with ``ModelForms``, by default the ``clean()`` method of a
  623. ``model_formset`` will validate that none of the items in the formset violate
  624. the unique constraints on your model (either ``unique``, ``unique_together`` or
  625. ``unique_for_date|month|year``). If you want to override the ``clean()`` method
  626. on a ``model_formset`` and maintain this validation, you must call the parent
  627. class's ``clean`` method::
  628. from django.forms.models import BaseModelFormSet
  629. class MyModelFormSet(BaseModelFormSet):
  630. def clean(self):
  631. super(MyModelFormSet, self).clean()
  632. # example custom validation across forms in the formset:
  633. for form in self.forms:
  634. # your custom formset validation
  635. pass
  636. Using a custom queryset
  637. -----------------------
  638. As stated earlier, you can override the default queryset used by the model
  639. formset::
  640. from django.forms.models import modelformset_factory
  641. from django.shortcuts import render_to_response
  642. from myapp.models import Author
  643. def manage_authors(request):
  644. AuthorFormSet = modelformset_factory(Author)
  645. if request.method == "POST":
  646. formset = AuthorFormSet(request.POST, request.FILES,
  647. queryset=Author.objects.filter(name__startswith='O'))
  648. if formset.is_valid():
  649. formset.save()
  650. # Do something.
  651. else:
  652. formset = AuthorFormSet(queryset=Author.objects.filter(name__startswith='O'))
  653. return render_to_response("manage_authors.html", {
  654. "formset": formset,
  655. })
  656. Note that we pass the ``queryset`` argument in both the ``POST`` and ``GET``
  657. cases in this example.
  658. Using the formset in the template
  659. ---------------------------------
  660. .. highlight:: html+django
  661. There are three ways to render a formset in a Django template.
  662. First, you can let the formset do most of the work::
  663. <form method="post" action="">
  664. {{ formset }}
  665. </form>
  666. Second, you can manually render the formset, but let the form deal with
  667. itself::
  668. <form method="post" action="">
  669. {{ formset.management_form }}
  670. {% for form in formset %}
  671. {{ form }}
  672. {% endfor %}
  673. </form>
  674. When you manually render the forms yourself, be sure to render the management
  675. form as shown above. See the :ref:`management form documentation
  676. <understanding-the-managementform>`.
  677. Third, you can manually render each field::
  678. <form method="post" action="">
  679. {{ formset.management_form }}
  680. {% for form in formset %}
  681. {% for field in form %}
  682. {{ field.label_tag }} {{ field }}
  683. {% endfor %}
  684. {% endfor %}
  685. </form>
  686. If you opt to use this third method and you don't iterate over the fields with
  687. a ``{% for %}`` loop, you'll need to render the primary key field. For example,
  688. if you were rendering the ``name`` and ``age`` fields of a model::
  689. <form method="post" action="">
  690. {{ formset.management_form }}
  691. {% for form in formset %}
  692. {{ form.id }}
  693. <ul>
  694. <li>{{ form.name }}</li>
  695. <li>{{ form.age }}</li>
  696. </ul>
  697. {% endfor %}
  698. </form>
  699. Notice how we need to explicitly render ``{{ form.id }}``. This ensures that
  700. the model formset, in the ``POST`` case, will work correctly. (This example
  701. assumes a primary key named ``id``. If you've explicitly defined your own
  702. primary key that isn't called ``id``, make sure it gets rendered.)
  703. .. highlight:: python
  704. .. _inline-formsets:
  705. Inline formsets
  706. ===============
  707. Inline formsets is a small abstraction layer on top of model formsets. These
  708. simplify the case of working with related objects via a foreign key. Suppose
  709. you have these two models::
  710. from django.db import models
  711. class Author(models.Model):
  712. name = models.CharField(max_length=100)
  713. class Book(models.Model):
  714. author = models.ForeignKey(Author)
  715. title = models.CharField(max_length=100)
  716. If you want to create a formset that allows you to edit books belonging to
  717. a particular author, you could do this::
  718. >>> from django.forms.models import inlineformset_factory
  719. >>> BookFormSet = inlineformset_factory(Author, Book)
  720. >>> author = Author.objects.get(name=u'Mike Royko')
  721. >>> formset = BookFormSet(instance=author)
  722. .. note::
  723. :func:`~django.forms.models.inlineformset_factory` uses
  724. :func:`~django.forms.models.modelformset_factory` and marks
  725. ``can_delete=True``.
  726. .. seealso::
  727. :ref:`Manually rendered can_delete and can_order <manually-rendered-can-delete-and-can-order>`.
  728. More than one foreign key to the same model
  729. -------------------------------------------
  730. If your model contains more than one foreign key to the same model, you'll
  731. need to resolve the ambiguity manually using ``fk_name``. For example, consider
  732. the following model::
  733. class Friendship(models.Model):
  734. from_friend = models.ForeignKey(Friend)
  735. to_friend = models.ForeignKey(Friend)
  736. length_in_months = models.IntegerField()
  737. To resolve this, you can use ``fk_name`` to
  738. :func:`~django.forms.models.inlineformset_factory`::
  739. >>> FriendshipFormSet = inlineformset_factory(Friend, Friendship, fk_name="from_friend")
  740. Using an inline formset in a view
  741. ---------------------------------
  742. You may want to provide a view that allows a user to edit the related objects
  743. of a model. Here's how you can do that::
  744. def manage_books(request, author_id):
  745. author = Author.objects.get(pk=author_id)
  746. BookInlineFormSet = inlineformset_factory(Author, Book)
  747. if request.method == "POST":
  748. formset = BookInlineFormSet(request.POST, request.FILES, instance=author)
  749. if formset.is_valid():
  750. formset.save()
  751. # Do something. Should generally end with a redirect. For example:
  752. return HttpResponseRedirect(author.get_absolute_url())
  753. else:
  754. formset = BookInlineFormSet(instance=author)
  755. return render_to_response("manage_books.html", {
  756. "formset": formset,
  757. })
  758. Notice how we pass ``instance`` in both the ``POST`` and ``GET`` cases.
  759. Specifying widgets to use in the inline form
  760. --------------------------------------------
  761. .. versionadded:: 1.6
  762. ``inlineformset_factory`` uses ``modelformset_factory`` and passes most
  763. of its arguments to ``modelformset_factory``. This means you can use
  764. the ``widgets`` parameter in much the same way as passing it to
  765. ``modelformset_factory``. See `Specifying widgets to use in the form with widgets`_ above.