widgets.txt 34 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947
  1. =======
  2. Widgets
  3. =======
  4. .. module:: django.forms.widgets
  5. :synopsis: Django's built-in form widgets.
  6. .. currentmodule:: django.forms
  7. A widget is Django's representation of an HTML input element. The widget
  8. handles the rendering of the HTML, and the extraction of data from a GET/POST
  9. dictionary that corresponds to the widget.
  10. The HTML generated by the built-in widgets uses HTML5 syntax, targeting
  11. ``<!DOCTYPE html>``. For example, it uses boolean attributes such as ``checked``
  12. rather than the XHTML style of ``checked='checked'``.
  13. .. tip::
  14. Widgets should not be confused with the :doc:`form fields </ref/forms/fields>`.
  15. Form fields deal with the logic of input validation and are used directly
  16. in templates. Widgets deal with rendering of HTML form input elements on
  17. the web page and extraction of raw submitted data. However, widgets do
  18. need to be :ref:`assigned <widget-to-field>` to form fields.
  19. .. _widget-to-field:
  20. Specifying widgets
  21. ==================
  22. Whenever you specify a field on a form, Django will use a default widget
  23. that is appropriate to the type of data that is to be displayed. To find
  24. which widget is used on which field, see the documentation about
  25. :ref:`built-in-fields`.
  26. However, if you want to use a different widget for a field, you can
  27. use the :attr:`~Field.widget` argument on the field definition. For example::
  28. from django import forms
  29. class CommentForm(forms.Form):
  30. name = forms.CharField()
  31. url = forms.URLField()
  32. comment = forms.CharField(widget=forms.Textarea)
  33. This would specify a form with a comment that uses a larger :class:`Textarea`
  34. widget, rather than the default :class:`TextInput` widget.
  35. Setting arguments for widgets
  36. =============================
  37. Many widgets have optional extra arguments; they can be set when defining the
  38. widget on the field. In the following example, the
  39. :attr:`~django.forms.SelectDateWidget.years` attribute is set for a
  40. :class:`~django.forms.SelectDateWidget`::
  41. from django import forms
  42. BIRTH_YEAR_CHOICES = ['1980', '1981', '1982']
  43. FAVORITE_COLORS_CHOICES = [
  44. ('blue', 'Blue'),
  45. ('green', 'Green'),
  46. ('black', 'Black'),
  47. ]
  48. class SimpleForm(forms.Form):
  49. birth_year = forms.DateField(widget=forms.SelectDateWidget(years=BIRTH_YEAR_CHOICES))
  50. favorite_colors = forms.MultipleChoiceField(
  51. required=False,
  52. widget=forms.CheckboxSelectMultiple,
  53. choices=FAVORITE_COLORS_CHOICES,
  54. )
  55. See the :ref:`built-in widgets` for more information about which widgets
  56. are available and which arguments they accept.
  57. Widgets inheriting from the ``Select`` widget
  58. =============================================
  59. Widgets inheriting from the :class:`Select` widget deal with choices. They
  60. present the user with a list of options to choose from. The different widgets
  61. present this choice differently; the :class:`Select` widget itself uses a
  62. ``<select>`` HTML list representation, while :class:`RadioSelect` uses radio
  63. buttons.
  64. :class:`Select` widgets are used by default on :class:`ChoiceField` fields. The
  65. choices displayed on the widget are inherited from the :class:`ChoiceField` and
  66. changing :attr:`ChoiceField.choices` will update :attr:`Select.choices`. For
  67. example::
  68. >>> from django import forms
  69. >>> CHOICES = [('1', 'First'), ('2', 'Second')]
  70. >>> choice_field = forms.ChoiceField(widget=forms.RadioSelect, choices=CHOICES)
  71. >>> choice_field.choices
  72. [('1', 'First'), ('2', 'Second')]
  73. >>> choice_field.widget.choices
  74. [('1', 'First'), ('2', 'Second')]
  75. >>> choice_field.widget.choices = []
  76. >>> choice_field.choices = [('1', 'First and only')]
  77. >>> choice_field.widget.choices
  78. [('1', 'First and only')]
  79. Widgets which offer a :attr:`~Select.choices` attribute can however be used
  80. with fields which are not based on choice -- such as a :class:`CharField` --
  81. but it is recommended to use a :class:`ChoiceField`-based field when the
  82. choices are inherent to the model and not just the representational widget.
  83. Customizing widget instances
  84. ============================
  85. When Django renders a widget as HTML, it only renders very minimal markup -
  86. Django doesn't add class names, or any other widget-specific attributes. This
  87. means, for example, that all :class:`TextInput` widgets will appear the same
  88. on your Web pages.
  89. There are two ways to customize widgets: :ref:`per widget instance
  90. <styling-widget-instances>` and :ref:`per widget class <styling-widget-classes>`.
  91. .. _styling-widget-instances:
  92. Styling widget instances
  93. ------------------------
  94. If you want to make one widget instance look different from another, you will
  95. need to specify additional attributes at the time when the widget object is
  96. instantiated and assigned to a form field (and perhaps add some rules to your
  97. CSS files).
  98. For example, take the following form::
  99. from django import forms
  100. class CommentForm(forms.Form):
  101. name = forms.CharField()
  102. url = forms.URLField()
  103. comment = forms.CharField()
  104. This form will include three default :class:`TextInput` widgets, with default
  105. rendering -- no CSS class, no extra attributes. This means that the input boxes
  106. provided for each widget will be rendered exactly the same::
  107. >>> f = CommentForm(auto_id=False)
  108. >>> f.as_table()
  109. <tr><th>Name:</th><td><input type="text" name="name" required></td></tr>
  110. <tr><th>Url:</th><td><input type="url" name="url" required></td></tr>
  111. <tr><th>Comment:</th><td><input type="text" name="comment" required></td></tr>
  112. On a real Web page, you probably don't want every widget to look the same. You
  113. might want a larger input element for the comment, and you might want the
  114. 'name' widget to have some special CSS class. It is also possible to specify
  115. the 'type' attribute to take advantage of the new HTML5 input types. To do
  116. this, you use the :attr:`Widget.attrs` argument when creating the widget::
  117. class CommentForm(forms.Form):
  118. name = forms.CharField(widget=forms.TextInput(attrs={'class': 'special'}))
  119. url = forms.URLField()
  120. comment = forms.CharField(widget=forms.TextInput(attrs={'size': '40'}))
  121. You can also modify a widget in the form definition::
  122. class CommentForm(forms.Form):
  123. name = forms.CharField()
  124. url = forms.URLField()
  125. comment = forms.CharField()
  126. name.widget.attrs.update({'class': 'special'})
  127. comment.widget.attrs.update(size='40')
  128. Or if the field isn't declared directly on the form (such as model form fields),
  129. you can use the :attr:`Form.fields` attribute::
  130. class CommentForm(forms.ModelForm):
  131. def __init__(self, *args, **kwargs):
  132. super().__init__(*args, **kwargs)
  133. self.fields['name'].widget.attrs.update({'class': 'special'})
  134. self.fields['comment'].widget.attrs.update(size='40')
  135. Django will then include the extra attributes in the rendered output:
  136. >>> f = CommentForm(auto_id=False)
  137. >>> f.as_table()
  138. <tr><th>Name:</th><td><input type="text" name="name" class="special" required></td></tr>
  139. <tr><th>Url:</th><td><input type="url" name="url" required></td></tr>
  140. <tr><th>Comment:</th><td><input type="text" name="comment" size="40" required></td></tr>
  141. You can also set the HTML ``id`` using :attr:`~Widget.attrs`. See
  142. :attr:`BoundField.id_for_label` for an example.
  143. .. _styling-widget-classes:
  144. Styling widget classes
  145. ----------------------
  146. With widgets, it is possible to add assets (``css`` and ``javascript``)
  147. and more deeply customize their appearance and behavior.
  148. In a nutshell, you will need to subclass the widget and either
  149. :ref:`define a "Media" inner class <assets-as-a-static-definition>` or
  150. :ref:`create a "media" property <dynamic-property>`.
  151. These methods involve somewhat advanced Python programming and are described in
  152. detail in the :doc:`Form Assets </topics/forms/media>` topic guide.
  153. .. _base-widget-classes:
  154. Base widget classes
  155. ===================
  156. Base widget classes :class:`Widget` and :class:`MultiWidget` are subclassed by
  157. all the :ref:`built-in widgets <built-in widgets>` and may serve as a
  158. foundation for custom widgets.
  159. ``Widget``
  160. ----------
  161. .. class:: Widget(attrs=None)
  162. This abstract class cannot be rendered, but provides the basic attribute
  163. :attr:`~Widget.attrs`. You may also implement or override the
  164. :meth:`~Widget.render()` method on custom widgets.
  165. .. attribute:: Widget.attrs
  166. A dictionary containing HTML attributes to be set on the rendered
  167. widget.
  168. .. code-block:: pycon
  169. >>> from django import forms
  170. >>> name = forms.TextInput(attrs={'size': 10, 'title': 'Your name'})
  171. >>> name.render('name', 'A name')
  172. '<input title="Your name" type="text" name="name" value="A name" size="10">'
  173. If you assign a value of ``True`` or ``False`` to an attribute,
  174. it will be rendered as an HTML5 boolean attribute::
  175. >>> name = forms.TextInput(attrs={'required': True})
  176. >>> name.render('name', 'A name')
  177. '<input name="name" type="text" value="A name" required>'
  178. >>>
  179. >>> name = forms.TextInput(attrs={'required': False})
  180. >>> name.render('name', 'A name')
  181. '<input name="name" type="text" value="A name">'
  182. .. attribute:: Widget.supports_microseconds
  183. An attribute that defaults to ``True``. If set to ``False``, the
  184. microseconds part of :class:`~datetime.datetime` and
  185. :class:`~datetime.time` values will be set to ``0``.
  186. .. method:: format_value(value)
  187. Cleans and returns a value for use in the widget template. ``value``
  188. isn't guaranteed to be valid input, therefore subclass implementations
  189. should program defensively.
  190. .. method:: get_context(name, value, attrs)
  191. Returns a dictionary of values to use when rendering the widget
  192. template. By default, the dictionary contains a single key,
  193. ``'widget'``, which is a dictionary representation of the widget
  194. containing the following keys:
  195. * ``'name'``: The name of the field from the ``name`` argument.
  196. * ``'is_hidden'``: A boolean indicating whether or not this widget is
  197. hidden.
  198. * ``'required'``: A boolean indicating whether or not the field for
  199. this widget is required.
  200. * ``'value'``: The value as returned by :meth:`format_value`.
  201. * ``'attrs'``: HTML attributes to be set on the rendered widget. The
  202. combination of the :attr:`attrs` attribute and the ``attrs`` argument.
  203. * ``'template_name'``: The value of ``self.template_name``.
  204. ``Widget`` subclasses can provide custom context values by overriding
  205. this method.
  206. .. method:: id_for_label(id_)
  207. Returns the HTML ID attribute of this widget for use by a ``<label>``,
  208. given the ID of the field. Returns ``None`` if an ID isn't available.
  209. This hook is necessary because some widgets have multiple HTML
  210. elements and, thus, multiple IDs. In that case, this method should
  211. return an ID value that corresponds to the first ID in the widget's
  212. tags.
  213. .. method:: render(name, value, attrs=None, renderer=None)
  214. Renders a widget to HTML using the given renderer. If ``renderer`` is
  215. ``None``, the renderer from the :setting:`FORM_RENDERER` setting is
  216. used.
  217. .. method:: value_from_datadict(data, files, name)
  218. Given a dictionary of data and this widget's name, returns the value
  219. of this widget. ``files`` may contain data coming from
  220. :attr:`request.FILES <django.http.HttpRequest.FILES>`. Returns ``None``
  221. if a value wasn't provided. Note also that ``value_from_datadict`` may
  222. be called more than once during handling of form data, so if you
  223. customize it and add expensive processing, you should implement some
  224. caching mechanism yourself.
  225. .. method:: value_omitted_from_data(data, files, name)
  226. Given ``data`` and ``files`` dictionaries and this widget's name,
  227. returns whether or not there's data or files for the widget.
  228. The method's result affects whether or not a field in a model form
  229. :ref:`falls back to its default <topics-modelform-save>`.
  230. Special cases are :class:`~django.forms.CheckboxInput`,
  231. :class:`~django.forms.CheckboxSelectMultiple`, and
  232. :class:`~django.forms.SelectMultiple`, which always return
  233. ``False`` because an unchecked checkbox and unselected
  234. ``<select multiple>`` don't appear in the data of an HTML form
  235. submission, so it's unknown whether or not the user submitted a value.
  236. .. method:: use_required_attribute(initial)
  237. Given a form field's ``initial`` value, returns whether or not the
  238. widget can be rendered with the ``required`` HTML attribute. Forms use
  239. this method along with :attr:`Field.required
  240. <django.forms.Field.required>` and :attr:`Form.use_required_attribute
  241. <django.forms.Form.use_required_attribute>` to determine whether or not
  242. to display the ``required`` attribute for each field.
  243. By default, returns ``False`` for hidden widgets and ``True``
  244. otherwise. Special cases are :class:`~django.forms.ClearableFileInput`,
  245. which returns ``False`` when ``initial`` is not set, and
  246. :class:`~django.forms.CheckboxSelectMultiple`, which always returns
  247. ``False`` because browser validation would require all checkboxes to be
  248. checked instead of at least one.
  249. Override this method in custom widgets that aren't compatible with
  250. browser validation. For example, a WSYSIWG text editor widget backed by
  251. a hidden ``textarea`` element may want to always return ``False`` to
  252. avoid browser validation on the hidden field.
  253. ``MultiWidget``
  254. ---------------
  255. .. class:: MultiWidget(widgets, attrs=None)
  256. A widget that is composed of multiple widgets.
  257. :class:`~django.forms.MultiWidget` works hand in hand with the
  258. :class:`~django.forms.MultiValueField`.
  259. :class:`MultiWidget` has one required argument:
  260. .. attribute:: MultiWidget.widgets
  261. An iterable containing the widgets needed.
  262. And one required method:
  263. .. method:: decompress(value)
  264. This method takes a single "compressed" value from the field and
  265. returns a list of "decompressed" values. The input value can be
  266. assumed valid, but not necessarily non-empty.
  267. This method **must be implemented** by the subclass, and since the
  268. value may be empty, the implementation must be defensive.
  269. The rationale behind "decompression" is that it is necessary to "split"
  270. the combined value of the form field into the values for each widget.
  271. An example of this is how :class:`SplitDateTimeWidget` turns a
  272. :class:`~datetime.datetime` value into a list with date and time split
  273. into two separate values::
  274. from django.forms import MultiWidget
  275. class SplitDateTimeWidget(MultiWidget):
  276. # ...
  277. def decompress(self, value):
  278. if value:
  279. return [value.date(), value.time()]
  280. return [None, None]
  281. .. tip::
  282. Note that :class:`~django.forms.MultiValueField` has a
  283. complementary method :meth:`~django.forms.MultiValueField.compress`
  284. with the opposite responsibility - to combine cleaned values of
  285. all member fields into one.
  286. It provides some custom context:
  287. .. method:: get_context(name, value, attrs)
  288. In addition to the ``'widget'`` key described in
  289. :meth:`Widget.get_context`, ``MultiValueWidget`` adds a
  290. ``widget['subwidgets']`` key.
  291. These can be looped over in the widget template:
  292. .. code-block:: html+django
  293. {% for subwidget in widget.subwidgets %}
  294. {% include subwidget.template_name with widget=subwidget %}
  295. {% endfor %}
  296. Here's an example widget which subclasses :class:`MultiWidget` to display
  297. a date with the day, month, and year in different select boxes. This widget
  298. is intended to be used with a :class:`~django.forms.DateField` rather than
  299. a :class:`~django.forms.MultiValueField`, thus we have implemented
  300. :meth:`~Widget.value_from_datadict`::
  301. from datetime import date
  302. from django.forms import widgets
  303. class DateSelectorWidget(widgets.MultiWidget):
  304. def __init__(self, attrs=None):
  305. # create choices for days, months, years
  306. # example below, the rest snipped for brevity.
  307. years = [(year, year) for year in (2011, 2012, 2013)]
  308. _widgets = (
  309. widgets.Select(attrs=attrs, choices=days),
  310. widgets.Select(attrs=attrs, choices=months),
  311. widgets.Select(attrs=attrs, choices=years),
  312. )
  313. super().__init__(_widgets, attrs)
  314. def decompress(self, value):
  315. if value:
  316. return [value.day, value.month, value.year]
  317. return [None, None, None]
  318. def value_from_datadict(self, data, files, name):
  319. datelist = [
  320. widget.value_from_datadict(data, files, name + '_%s' % i)
  321. for i, widget in enumerate(self.widgets)]
  322. try:
  323. D = date(
  324. day=int(datelist[0]),
  325. month=int(datelist[1]),
  326. year=int(datelist[2]),
  327. )
  328. except ValueError:
  329. return ''
  330. else:
  331. return str(D)
  332. The constructor creates several :class:`Select` widgets in a tuple. The
  333. ``super`` class uses this tuple to setup the widget.
  334. The required method :meth:`~MultiWidget.decompress` breaks up a
  335. ``datetime.date`` value into the day, month, and year values corresponding
  336. to each widget. Note how the method handles the case where ``value`` is
  337. ``None``.
  338. The default implementation of :meth:`~Widget.value_from_datadict` returns
  339. a list of values corresponding to each ``Widget``. This is appropriate
  340. when using a ``MultiWidget`` with a :class:`~django.forms.MultiValueField`,
  341. but since we want to use this widget with a :class:`~django.forms.DateField`
  342. which takes a single value, we have overridden this method to combine the
  343. data of all the subwidgets into a ``datetime.date``. The method extracts
  344. data from the ``POST`` dictionary and constructs and validates the date.
  345. If it is valid, we return the string, otherwise, we return an empty string
  346. which will cause ``form.is_valid`` to return ``False``.
  347. .. _built-in widgets:
  348. Built-in widgets
  349. ================
  350. Django provides a representation of all the basic HTML widgets, plus some
  351. commonly used groups of widgets in the ``django.forms.widgets`` module,
  352. including :ref:`the input of text <text-widgets>`, :ref:`various checkboxes
  353. and selectors <selector-widgets>`, :ref:`uploading files <file-upload-widgets>`,
  354. and :ref:`handling of multi-valued input <composite-widgets>`.
  355. .. _text-widgets:
  356. Widgets handling input of text
  357. ------------------------------
  358. These widgets make use of the HTML elements ``input`` and ``textarea``.
  359. ``TextInput``
  360. ~~~~~~~~~~~~~
  361. .. class:: TextInput
  362. * ``input_type``: ``'text'``
  363. * ``template_name``: ``'django/forms/widgets/text.html'``
  364. * Renders as: ``<input type="text" ...>``
  365. ``NumberInput``
  366. ~~~~~~~~~~~~~~~
  367. .. class:: NumberInput
  368. * ``input_type``: ``'number'``
  369. * ``template_name``: ``'django/forms/widgets/number.html'``
  370. * Renders as: ``<input type="number" ...>``
  371. Beware that not all browsers support entering localized numbers in
  372. ``number`` input types. Django itself avoids using them for fields having
  373. their :attr:`~django.forms.Field.localize` property set to ``True``.
  374. ``EmailInput``
  375. ~~~~~~~~~~~~~~
  376. .. class:: EmailInput
  377. * ``input_type``: ``'email'``
  378. * ``template_name``: ``'django/forms/widgets/email.html'``
  379. * Renders as: ``<input type="email" ...>``
  380. ``URLInput``
  381. ~~~~~~~~~~~~
  382. .. class:: URLInput
  383. * ``input_type``: ``'url'``
  384. * ``template_name``: ``'django/forms/widgets/url.html'``
  385. * Renders as: ``<input type="url" ...>``
  386. ``PasswordInput``
  387. ~~~~~~~~~~~~~~~~~
  388. .. class:: PasswordInput
  389. * ``input_type``: ``'password'``
  390. * ``template_name``: ``'django/forms/widgets/password.html'``
  391. * Renders as: ``<input type="password" ...>``
  392. Takes one optional argument:
  393. .. attribute:: PasswordInput.render_value
  394. Determines whether the widget will have a value filled in when the
  395. form is re-displayed after a validation error (default is ``False``).
  396. ``HiddenInput``
  397. ~~~~~~~~~~~~~~~
  398. .. class:: HiddenInput
  399. * ``input_type``: ``'hidden'``
  400. * ``template_name``: ``'django/forms/widgets/hidden.html'``
  401. * Renders as: ``<input type="hidden" ...>``
  402. Note that there also is a :class:`MultipleHiddenInput` widget that
  403. encapsulates a set of hidden input elements.
  404. ``DateInput``
  405. ~~~~~~~~~~~~~
  406. .. class:: DateInput
  407. * ``input_type``: ``'text'``
  408. * ``template_name``: ``'django/forms/widgets/date.html'``
  409. * Renders as: ``<input type="text" ...>``
  410. Takes same arguments as :class:`TextInput`, with one more optional argument:
  411. .. attribute:: DateInput.format
  412. The format in which this field's initial value will be displayed.
  413. If no ``format`` argument is provided, the default format is the first
  414. format found in :setting:`DATE_INPUT_FORMATS` and respects
  415. :doc:`/topics/i18n/formatting`.
  416. ``DateTimeInput``
  417. ~~~~~~~~~~~~~~~~~
  418. .. class:: DateTimeInput
  419. * ``input_type``: ``'text'``
  420. * ``template_name``: ``'django/forms/widgets/datetime.html'``
  421. * Renders as: ``<input type="text" ...>``
  422. Takes same arguments as :class:`TextInput`, with one more optional argument:
  423. .. attribute:: DateTimeInput.format
  424. The format in which this field's initial value will be displayed.
  425. If no ``format`` argument is provided, the default format is the first
  426. format found in :setting:`DATETIME_INPUT_FORMATS` and respects
  427. :doc:`/topics/i18n/formatting`.
  428. By default, the microseconds part of the time value is always set to ``0``.
  429. If microseconds are required, use a subclass with the
  430. :attr:`~Widget.supports_microseconds` attribute set to ``True``.
  431. ``TimeInput``
  432. ~~~~~~~~~~~~~
  433. .. class:: TimeInput
  434. * ``input_type``: ``'text'``
  435. * ``template_name``: ``'django/forms/widgets/time.html'``
  436. * Renders as: ``<input type="text" ...>``
  437. Takes same arguments as :class:`TextInput`, with one more optional argument:
  438. .. attribute:: TimeInput.format
  439. The format in which this field's initial value will be displayed.
  440. If no ``format`` argument is provided, the default format is the first
  441. format found in :setting:`TIME_INPUT_FORMATS` and respects
  442. :doc:`/topics/i18n/formatting`.
  443. For the treatment of microseconds, see :class:`DateTimeInput`.
  444. ``Textarea``
  445. ~~~~~~~~~~~~
  446. .. class:: Textarea
  447. * ``template_name``: ``'django/forms/widgets/textarea.html'``
  448. * Renders as: ``<textarea>...</textarea>``
  449. .. _selector-widgets:
  450. Selector and checkbox widgets
  451. -----------------------------
  452. These widgets make use of the HTML elements ``<select>``,
  453. ``<input type="checkbox">``, and ``<input type="radio">``.
  454. Widgets that render multiple choices have an ``option_template_name`` attribute
  455. that specifies the template used to render each choice. For example, for the
  456. :class:`Select` widget, ``select_option.html`` renders the ``<option>`` for a
  457. ``<select>``.
  458. ``CheckboxInput``
  459. ~~~~~~~~~~~~~~~~~
  460. .. class:: CheckboxInput
  461. * ``input_type``: ``'checkbox'``
  462. * ``template_name``: ``'django/forms/widgets/checkbox.html'``
  463. * Renders as: ``<input type="checkbox" ...>``
  464. Takes one optional argument:
  465. .. attribute:: CheckboxInput.check_test
  466. A callable that takes the value of the ``CheckboxInput`` and returns
  467. ``True`` if the checkbox should be checked for that value.
  468. ``Select``
  469. ~~~~~~~~~~
  470. .. class:: Select
  471. * ``template_name``: ``'django/forms/widgets/select.html'``
  472. * ``option_template_name``: ``'django/forms/widgets/select_option.html'``
  473. * Renders as: ``<select><option ...>...</select>``
  474. .. attribute:: Select.choices
  475. This attribute is optional when the form field does not have a
  476. ``choices`` attribute. If it does, it will override anything you set
  477. here when the attribute is updated on the :class:`Field`.
  478. ``NullBooleanSelect``
  479. ~~~~~~~~~~~~~~~~~~~~~
  480. .. class:: NullBooleanSelect
  481. * ``template_name``: ``'django/forms/widgets/select.html'``
  482. * ``option_template_name``: ``'django/forms/widgets/select_option.html'``
  483. Select widget with options 'Unknown', 'Yes' and 'No'
  484. ``SelectMultiple``
  485. ~~~~~~~~~~~~~~~~~~
  486. .. class:: SelectMultiple
  487. * ``template_name``: ``'django/forms/widgets/select.html'``
  488. * ``option_template_name``: ``'django/forms/widgets/select_option.html'``
  489. Similar to :class:`Select`, but allows multiple selection:
  490. ``<select multiple>...</select>``
  491. ``RadioSelect``
  492. ~~~~~~~~~~~~~~~
  493. .. class:: RadioSelect
  494. * ``template_name``: ``'django/forms/widgets/radio.html'``
  495. * ``option_template_name``: ``'django/forms/widgets/radio_option.html'``
  496. Similar to :class:`Select`, but rendered as a list of radio buttons within
  497. ``<li>`` tags:
  498. .. code-block:: html
  499. <ul>
  500. <li><input type="radio" name="..."></li>
  501. ...
  502. </ul>
  503. For more granular control over the generated markup, you can loop over the
  504. radio buttons in the template. Assuming a form ``myform`` with a field
  505. ``beatles`` that uses a ``RadioSelect`` as its widget:
  506. .. code-block:: html+django
  507. {% for radio in myform.beatles %}
  508. <div class="myradio">
  509. {{ radio }}
  510. </div>
  511. {% endfor %}
  512. This would generate the following HTML:
  513. .. code-block:: html
  514. <div class="myradio">
  515. <label for="id_beatles_0"><input id="id_beatles_0" name="beatles" type="radio" value="john" required> John</label>
  516. </div>
  517. <div class="myradio">
  518. <label for="id_beatles_1"><input id="id_beatles_1" name="beatles" type="radio" value="paul" required> Paul</label>
  519. </div>
  520. <div class="myradio">
  521. <label for="id_beatles_2"><input id="id_beatles_2" name="beatles" type="radio" value="george" required> George</label>
  522. </div>
  523. <div class="myradio">
  524. <label for="id_beatles_3"><input id="id_beatles_3" name="beatles" type="radio" value="ringo" required> Ringo</label>
  525. </div>
  526. That included the ``<label>`` tags. To get more granular, you can use each
  527. radio button's ``tag``, ``choice_label`` and ``id_for_label`` attributes.
  528. For example, this template...
  529. .. code-block:: html+django
  530. {% for radio in myform.beatles %}
  531. <label for="{{ radio.id_for_label }}">
  532. {{ radio.choice_label }}
  533. <span class="radio">{{ radio.tag }}</span>
  534. </label>
  535. {% endfor %}
  536. ...will result in the following HTML:
  537. .. code-block:: html
  538. <label for="id_beatles_0">
  539. John
  540. <span class="radio"><input id="id_beatles_0" name="beatles" type="radio" value="john" required></span>
  541. </label>
  542. <label for="id_beatles_1">
  543. Paul
  544. <span class="radio"><input id="id_beatles_1" name="beatles" type="radio" value="paul" required></span>
  545. </label>
  546. <label for="id_beatles_2">
  547. George
  548. <span class="radio"><input id="id_beatles_2" name="beatles" type="radio" value="george" required></span>
  549. </label>
  550. <label for="id_beatles_3">
  551. Ringo
  552. <span class="radio"><input id="id_beatles_3" name="beatles" type="radio" value="ringo" required></span>
  553. </label>
  554. If you decide not to loop over the radio buttons -- e.g., if your template
  555. includes ``{{ myform.beatles }}`` -- they'll be output in a ``<ul>`` with
  556. ``<li>`` tags, as above.
  557. The outer ``<ul>`` container receives the ``id`` attribute of the widget,
  558. if defined, or :attr:`BoundField.auto_id` otherwise.
  559. When looping over the radio buttons, the ``label`` and ``input`` tags include
  560. ``for`` and ``id`` attributes, respectively. Each radio button has an
  561. ``id_for_label`` attribute to output the element's ID.
  562. ``CheckboxSelectMultiple``
  563. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  564. .. class:: CheckboxSelectMultiple
  565. * ``template_name``: ``'django/forms/widgets/checkbox_select.html'``
  566. * ``option_template_name``: ``'django/forms/widgets/checkbox_option.html'``
  567. Similar to :class:`SelectMultiple`, but rendered as a list of checkboxes:
  568. .. code-block:: html
  569. <ul>
  570. <li><input type="checkbox" name="..." ></li>
  571. ...
  572. </ul>
  573. The outer ``<ul>`` container receives the ``id`` attribute of the widget,
  574. if defined, or :attr:`BoundField.auto_id` otherwise.
  575. Like :class:`RadioSelect`, you can loop over the individual checkboxes for the
  576. widget's choices. Unlike :class:`RadioSelect`, the checkboxes won't include the
  577. ``required`` HTML attribute if the field is required because browser validation
  578. would require all checkboxes to be checked instead of at least one.
  579. When looping over the checkboxes, the ``label`` and ``input`` tags include
  580. ``for`` and ``id`` attributes, respectively. Each checkbox has an
  581. ``id_for_label`` attribute to output the element's ID.
  582. .. _file-upload-widgets:
  583. File upload widgets
  584. -------------------
  585. ``FileInput``
  586. ~~~~~~~~~~~~~
  587. .. class:: FileInput
  588. * ``template_name``: ``'django/forms/widgets/file.html'``
  589. * Renders as: ``<input type="file" ...>``
  590. ``ClearableFileInput``
  591. ~~~~~~~~~~~~~~~~~~~~~~
  592. .. class:: ClearableFileInput
  593. * ``template_name``: ``'django/forms/widgets/clearable_file_input.html'``
  594. * Renders as: ``<input type="file" ...>`` with an additional checkbox
  595. input to clear the field's value, if the field is not required and has
  596. initial data.
  597. .. _composite-widgets:
  598. Composite widgets
  599. -----------------
  600. ``MultipleHiddenInput``
  601. ~~~~~~~~~~~~~~~~~~~~~~~
  602. .. class:: MultipleHiddenInput
  603. * ``template_name``: ``'django/forms/widgets/multiple_hidden.html'``
  604. * Renders as: multiple ``<input type="hidden" ...>`` tags
  605. A widget that handles multiple hidden widgets for fields that have a list
  606. of values.
  607. .. attribute:: MultipleHiddenInput.choices
  608. This attribute is optional when the form field does not have a
  609. ``choices`` attribute. If it does, it will override anything you set
  610. here when the attribute is updated on the :class:`Field`.
  611. ``SplitDateTimeWidget``
  612. ~~~~~~~~~~~~~~~~~~~~~~~
  613. .. class:: SplitDateTimeWidget
  614. * ``template_name``: ``'django/forms/widgets/splitdatetime.html'``
  615. Wrapper (using :class:`MultiWidget`) around two widgets: :class:`DateInput`
  616. for the date, and :class:`TimeInput` for the time. Must be used with
  617. :class:`SplitDateTimeField` rather than :class:`DateTimeField`.
  618. ``SplitDateTimeWidget`` has several optional arguments:
  619. .. attribute:: SplitDateTimeWidget.date_format
  620. Similar to :attr:`DateInput.format`
  621. .. attribute:: SplitDateTimeWidget.time_format
  622. Similar to :attr:`TimeInput.format`
  623. .. attribute:: SplitDateTimeWidget.date_attrs
  624. .. attribute:: SplitDateTimeWidget.time_attrs
  625. Similar to :attr:`Widget.attrs`. A dictionary containing HTML
  626. attributes to be set on the rendered :class:`DateInput` and
  627. :class:`TimeInput` widgets, respectively. If these attributes aren't
  628. set, :attr:`Widget.attrs` is used instead.
  629. ``SplitHiddenDateTimeWidget``
  630. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  631. .. class:: SplitHiddenDateTimeWidget
  632. * ``template_name``: ``'django/forms/widgets/splithiddendatetime.html'``
  633. Similar to :class:`SplitDateTimeWidget`, but uses :class:`HiddenInput` for
  634. both date and time.
  635. ``SelectDateWidget``
  636. ~~~~~~~~~~~~~~~~~~~~
  637. .. class:: SelectDateWidget
  638. * ``template_name``: ``'django/forms/widgets/select_date.html'``
  639. Wrapper around three :class:`~django.forms.Select` widgets: one each for
  640. month, day, and year.
  641. Takes several optional arguments:
  642. .. attribute:: SelectDateWidget.years
  643. An optional list/tuple of years to use in the "year" select box.
  644. The default is a list containing the current year and the next 9 years.
  645. .. attribute:: SelectDateWidget.months
  646. An optional dict of months to use in the "months" select box.
  647. The keys of the dict correspond to the month number (1-indexed) and
  648. the values are the displayed months::
  649. MONTHS = {
  650. 1:_('jan'), 2:_('feb'), 3:_('mar'), 4:_('apr'),
  651. 5:_('may'), 6:_('jun'), 7:_('jul'), 8:_('aug'),
  652. 9:_('sep'), 10:_('oct'), 11:_('nov'), 12:_('dec')
  653. }
  654. .. attribute:: SelectDateWidget.empty_label
  655. If the :class:`~django.forms.DateField` is not required,
  656. :class:`SelectDateWidget` will have an empty choice at the top of the
  657. list (which is ``---`` by default). You can change the text of this
  658. label with the ``empty_label`` attribute. ``empty_label`` can be a
  659. ``string``, ``list``, or ``tuple``. When a string is used, all select
  660. boxes will each have an empty choice with this label. If ``empty_label``
  661. is a ``list`` or ``tuple`` of 3 string elements, the select boxes will
  662. have their own custom label. The labels should be in this order
  663. ``('year_label', 'month_label', 'day_label')``.
  664. .. code-block:: python
  665. # A custom empty label with string
  666. field1 = forms.DateField(widget=SelectDateWidget(empty_label="Nothing"))
  667. # A custom empty label with tuple
  668. field1 = forms.DateField(
  669. widget=SelectDateWidget(
  670. empty_label=("Choose Year", "Choose Month", "Choose Day"),
  671. ),
  672. )