widgets.txt 29 KB

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