widgets.txt 28 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836
  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" /></td></tr>
  105. <tr><th>Url:</th><td><input type="url" name="url"/></td></tr>
  106. <tr><th>Comment:</th><td><input type="text" name="comment" /></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"/></td></tr>
  120. <tr><th>Url:</th><td><input type="url" name="url"/></td></tr>
  121. <tr><th>Comment:</th><td><input type="text" name="comment" size="40"/></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. .. class:: Widget(attrs=None)
  141. This abstract class cannot be rendered, but provides the basic attribute
  142. :attr:`~Widget.attrs`. You may also implement or override the
  143. :meth:`~Widget.render()` method on custom widgets.
  144. .. attribute:: Widget.attrs
  145. A dictionary containing HTML attributes to be set on the rendered
  146. widget.
  147. .. code-block:: pycon
  148. >>> from django import forms
  149. >>> name = forms.TextInput(attrs={'size': 10, 'title': 'Your name',})
  150. >>> name.render('name', 'A name')
  151. '<input title="Your name" type="text" name="name" value="A name" size="10" />'
  152. If you assign a value of ``True`` or ``False`` to an attribute,
  153. it will be rendered as an HTML5 boolean attribute::
  154. >>> name = forms.TextInput(attrs={'required': True})
  155. >>> name.render('name', 'A name')
  156. '<input name="name" type="text" value="A name" required />'
  157. >>>
  158. >>> name = forms.TextInput(attrs={'required': False})
  159. >>> name.render('name', 'A name')
  160. '<input name="name" type="text" value="A name" />'
  161. .. attribute:: Widget.supports_microseconds
  162. An attribute that defaults to ``True``. If set to ``False``, the
  163. microseconds part of :class:`~datetime.datetime` and
  164. :class:`~datetime.time` values will be set to ``0``.
  165. .. versionadded:: 1.9
  166. In older versions, this attribute was only defined on the date
  167. and time widgets (as ``False``).
  168. .. method:: id_for_label(self, id_)
  169. Returns the HTML ID attribute of this widget for use by a ``<label>``,
  170. given the ID of the field. Returns ``None`` if an ID isn't available.
  171. This hook is necessary because some widgets have multiple HTML
  172. elements and, thus, multiple IDs. In that case, this method should
  173. return an ID value that corresponds to the first ID in the widget's
  174. tags.
  175. .. method:: render(name, value, attrs=None)
  176. Returns HTML for the widget, as a Unicode string. This method must be
  177. implemented by the subclass, otherwise ``NotImplementedError`` will be
  178. raised.
  179. The 'value' given is not guaranteed to be valid input, therefore
  180. subclass implementations should program defensively.
  181. .. method:: value_from_datadict(data, files, name)
  182. Given a dictionary of data and this widget's name, returns the value
  183. of this widget. ``files`` may contain data coming from
  184. :attr:`request.FILES <django.http.HttpRequest.FILES>`. Returns ``None``
  185. if a value wasn't provided. Note also that ``value_from_datadict`` may
  186. be called more than once during handling of form data, so if you
  187. customize it and add expensive processing, you should implement some
  188. caching mechanism yourself.
  189. .. class:: MultiWidget(widgets, attrs=None)
  190. A widget that is composed of multiple widgets.
  191. :class:`~django.forms.MultiWidget` works hand in hand with the
  192. :class:`~django.forms.MultiValueField`.
  193. :class:`MultiWidget` has one required argument:
  194. .. attribute:: MultiWidget.widgets
  195. An iterable containing the widgets needed.
  196. And one required method:
  197. .. method:: decompress(value)
  198. This method takes a single "compressed" value from the field and
  199. returns a list of "decompressed" values. The input value can be
  200. assumed valid, but not necessarily non-empty.
  201. This method **must be implemented** by the subclass, and since the
  202. value may be empty, the implementation must be defensive.
  203. The rationale behind "decompression" is that it is necessary to "split"
  204. the combined value of the form field into the values for each widget.
  205. An example of this is how :class:`SplitDateTimeWidget` turns a
  206. :class:`~datetime.datetime` value into a list with date and time split
  207. into two separate values::
  208. from django.forms import MultiWidget
  209. class SplitDateTimeWidget(MultiWidget):
  210. # ...
  211. def decompress(self, value):
  212. if value:
  213. return [value.date(), value.time().replace(microsecond=0)]
  214. return [None, None]
  215. .. tip::
  216. Note that :class:`~django.forms.MultiValueField` has a
  217. complementary method :meth:`~django.forms.MultiValueField.compress`
  218. with the opposite responsibility - to combine cleaned values of
  219. all member fields into one.
  220. Other methods that may be useful to override include:
  221. .. method:: render(name, value, attrs=None)
  222. Argument ``value`` is handled differently in this method from the
  223. subclasses of :class:`~Widget` because it has to figure out how to
  224. split a single value for display in multiple widgets.
  225. The ``value`` argument used when rendering can be one of two things:
  226. * A ``list``.
  227. * A single value (e.g., a string) that is the "compressed" representation
  228. of a ``list`` of values.
  229. If ``value`` is a list, the output of :meth:`~MultiWidget.render` will
  230. be a concatenation of rendered child widgets. If ``value`` is not a
  231. list, it will first be processed by the method
  232. :meth:`~MultiWidget.decompress()` to create the list and then rendered.
  233. When ``render()`` executes its HTML rendering, each value in the list
  234. is rendered with the corresponding widget -- the first value is
  235. rendered in the first widget, the second value is rendered in the
  236. second widget, etc.
  237. Unlike in the single value widgets, method :meth:`~MultiWidget.render`
  238. need not be implemented in the subclasses.
  239. .. method:: format_output(rendered_widgets)
  240. Given a list of rendered widgets (as strings), returns a Unicode string
  241. representing the HTML for the whole lot.
  242. This hook allows you to format the HTML design of the widgets any way
  243. you'd like.
  244. Here's an example widget which subclasses :class:`MultiWidget` to display
  245. a date with the day, month, and year in different select boxes. This widget
  246. is intended to be used with a :class:`~django.forms.DateField` rather than
  247. a :class:`~django.forms.MultiValueField`, thus we have implemented
  248. :meth:`~Widget.value_from_datadict`::
  249. from datetime import date
  250. from django.forms import widgets
  251. class DateSelectorWidget(widgets.MultiWidget):
  252. def __init__(self, attrs=None):
  253. # create choices for days, months, years
  254. # example below, the rest snipped for brevity.
  255. years = [(year, year) for year in (2011, 2012, 2013)]
  256. _widgets = (
  257. widgets.Select(attrs=attrs, choices=days),
  258. widgets.Select(attrs=attrs, choices=months),
  259. widgets.Select(attrs=attrs, choices=years),
  260. )
  261. super(DateSelectorWidget, self).__init__(_widgets, attrs)
  262. def decompress(self, value):
  263. if value:
  264. return [value.day, value.month, value.year]
  265. return [None, None, None]
  266. def format_output(self, rendered_widgets):
  267. return ''.join(rendered_widgets)
  268. def value_from_datadict(self, data, files, name):
  269. datelist = [
  270. widget.value_from_datadict(data, files, name + '_%s' % i)
  271. for i, widget in enumerate(self.widgets)]
  272. try:
  273. D = date(
  274. day=int(datelist[0]),
  275. month=int(datelist[1]),
  276. year=int(datelist[2]),
  277. )
  278. except ValueError:
  279. return ''
  280. else:
  281. return str(D)
  282. The constructor creates several :class:`Select` widgets in a tuple. The
  283. ``super`` class uses this tuple to setup the widget.
  284. The :meth:`~MultiWidget.format_output` method is fairly vanilla here (in
  285. fact, it's the same as what's been implemented as the default for
  286. ``MultiWidget``), but the idea is that you could add custom HTML between
  287. the widgets should you wish.
  288. The required method :meth:`~MultiWidget.decompress` breaks up a
  289. ``datetime.date`` value into the day, month, and year values corresponding
  290. to each widget. Note how the method handles the case where ``value`` is
  291. ``None``.
  292. The default implementation of :meth:`~Widget.value_from_datadict` returns
  293. a list of values corresponding to each ``Widget``. This is appropriate
  294. when using a ``MultiWidget`` with a :class:`~django.forms.MultiValueField`,
  295. but since we want to use this widget with a :class:`~django.forms.DateField`
  296. which takes a single value, we have overridden this method to combine the
  297. data of all the subwidgets into a ``datetime.date``. The method extracts
  298. data from the ``POST`` dictionary and constructs and validates the date.
  299. If it is valid, we return the string, otherwise, we return an empty string
  300. which will cause ``form.is_valid`` to return ``False``.
  301. .. _built-in widgets:
  302. Built-in widgets
  303. ----------------
  304. Django provides a representation of all the basic HTML widgets, plus some
  305. commonly used groups of widgets in the ``django.forms.widgets`` module,
  306. including :ref:`the input of text <text-widgets>`, :ref:`various checkboxes
  307. and selectors <selector-widgets>`, :ref:`uploading files <file-upload-widgets>`,
  308. and :ref:`handling of multi-valued input <composite-widgets>`.
  309. .. _text-widgets:
  310. Widgets handling input of text
  311. ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  312. These widgets make use of the HTML elements ``input`` and ``textarea``.
  313. ``TextInput``
  314. ~~~~~~~~~~~~~
  315. .. class:: TextInput
  316. Text input: ``<input type="text" ...>``
  317. ``NumberInput``
  318. ~~~~~~~~~~~~~~~
  319. .. class:: NumberInput
  320. Text input: ``<input type="number" ...>``
  321. Beware that not all browsers support entering localized numbers in
  322. ``number`` input types. Django itself avoids using them for fields having
  323. their :attr:`~django.forms.Field.localize` property set to ``True``.
  324. ``EmailInput``
  325. ~~~~~~~~~~~~~~
  326. .. class:: EmailInput
  327. Text input: ``<input type="email" ...>``
  328. ``URLInput``
  329. ~~~~~~~~~~~~
  330. .. class:: URLInput
  331. Text input: ``<input type="url" ...>``
  332. ``PasswordInput``
  333. ~~~~~~~~~~~~~~~~~
  334. .. class:: PasswordInput
  335. Password input: ``<input type='password' ...>``
  336. Takes one optional argument:
  337. .. attribute:: PasswordInput.render_value
  338. Determines whether the widget will have a value filled in when the
  339. form is re-displayed after a validation error (default is ``False``).
  340. ``HiddenInput``
  341. ~~~~~~~~~~~~~~~
  342. .. class:: HiddenInput
  343. Hidden input: ``<input type='hidden' ...>``
  344. Note that there also is a :class:`MultipleHiddenInput` widget that
  345. encapsulates a set of hidden input elements.
  346. ``DateInput``
  347. ~~~~~~~~~~~~~
  348. .. class:: DateInput
  349. Date input as a simple text box: ``<input type='text' ...>``
  350. Takes same arguments as :class:`TextInput`, with one more optional argument:
  351. .. attribute:: DateInput.format
  352. The format in which this field's initial value will be displayed.
  353. If no ``format`` argument is provided, the default format is the first
  354. format found in :setting:`DATE_INPUT_FORMATS` and respects
  355. :ref:`format-localization`.
  356. ``DateTimeInput``
  357. ~~~~~~~~~~~~~~~~~
  358. .. class:: DateTimeInput
  359. Date/time input as a simple text box: ``<input type='text' ...>``
  360. Takes same arguments as :class:`TextInput`, with one more optional argument:
  361. .. attribute:: DateTimeInput.format
  362. The format in which this field's initial value will be displayed.
  363. If no ``format`` argument is provided, the default format is the first
  364. format found in :setting:`DATETIME_INPUT_FORMATS` and respects
  365. :ref:`format-localization`.
  366. By default, the microseconds part of the time value is always set to ``0``.
  367. If microseconds are required, use a subclass with the
  368. :attr:`~Widget.supports_microseconds` attribute set to ``True``.
  369. ``TimeInput``
  370. ~~~~~~~~~~~~~
  371. .. class:: TimeInput
  372. Time input as a simple text box: ``<input type='text' ...>``
  373. Takes same arguments as :class:`TextInput`, with one more optional argument:
  374. .. attribute:: TimeInput.format
  375. The format in which this field's initial value will be displayed.
  376. If no ``format`` argument is provided, the default format is the first
  377. format found in :setting:`TIME_INPUT_FORMATS` and respects
  378. :ref:`format-localization`.
  379. For the treatment of microseconds, see :class:`DateTimeInput`.
  380. ``Textarea``
  381. ~~~~~~~~~~~~
  382. .. class:: Textarea
  383. Text area: ``<textarea>...</textarea>``
  384. .. _selector-widgets:
  385. Selector and checkbox widgets
  386. ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  387. ``CheckboxInput``
  388. ~~~~~~~~~~~~~~~~~
  389. .. class:: CheckboxInput
  390. Checkbox: ``<input type='checkbox' ...>``
  391. Takes one optional argument:
  392. .. attribute:: CheckboxInput.check_test
  393. A callable that takes the value of the ``CheckboxInput`` and returns
  394. ``True`` if the checkbox should be checked for that value.
  395. ``Select``
  396. ~~~~~~~~~~
  397. .. class:: Select
  398. Select widget: ``<select><option ...>...</select>``
  399. .. attribute:: Select.choices
  400. This attribute is optional when the form field does not have a
  401. ``choices`` attribute. If it does, it will override anything you set
  402. here when the attribute is updated on the :class:`Field`.
  403. ``NullBooleanSelect``
  404. ~~~~~~~~~~~~~~~~~~~~~
  405. .. class:: NullBooleanSelect
  406. Select widget with options 'Unknown', 'Yes' and 'No'
  407. ``SelectMultiple``
  408. ~~~~~~~~~~~~~~~~~~
  409. .. class:: SelectMultiple
  410. Similar to :class:`Select`, but allows multiple selection:
  411. ``<select multiple='multiple'>...</select>``
  412. ``RadioSelect``
  413. ~~~~~~~~~~~~~~~
  414. .. class:: RadioSelect
  415. Similar to :class:`Select`, but rendered as a list of radio buttons within
  416. ``<li>`` tags:
  417. .. code-block:: html
  418. <ul>
  419. <li><input type='radio' name='...'></li>
  420. ...
  421. </ul>
  422. For more granular control over the generated markup, you can loop over the
  423. radio buttons in the template. Assuming a form ``myform`` with a field
  424. ``beatles`` that uses a ``RadioSelect`` as its widget:
  425. .. code-block:: html+django
  426. {% for radio in myform.beatles %}
  427. <div class="myradio">
  428. {{ radio }}
  429. </div>
  430. {% endfor %}
  431. This would generate the following HTML:
  432. .. code-block:: html
  433. <div class="myradio">
  434. <label for="id_beatles_0"><input id="id_beatles_0" name="beatles" type="radio" value="john" /> John</label>
  435. </div>
  436. <div class="myradio">
  437. <label for="id_beatles_1"><input id="id_beatles_1" name="beatles" type="radio" value="paul" /> Paul</label>
  438. </div>
  439. <div class="myradio">
  440. <label for="id_beatles_2"><input id="id_beatles_2" name="beatles" type="radio" value="george" /> George</label>
  441. </div>
  442. <div class="myradio">
  443. <label for="id_beatles_3"><input id="id_beatles_3" name="beatles" type="radio" value="ringo" /> Ringo</label>
  444. </div>
  445. That included the ``<label>`` tags. To get more granular, you can use each
  446. radio button's ``tag``, ``choice_label`` and ``id_for_label`` attributes.
  447. For example, this template...
  448. .. code-block:: html+django
  449. {% for radio in myform.beatles %}
  450. <label for="{{ radio.id_for_label }}">
  451. {{ radio.choice_label }}
  452. <span class="radio">{{ radio.tag }}</span>
  453. </label>
  454. {% endfor %}
  455. ...will result in the following HTML:
  456. .. code-block:: html
  457. <label for="id_beatles_0">
  458. John
  459. <span class="radio"><input id="id_beatles_0" name="beatles" type="radio" value="john" /></span>
  460. </label>
  461. <label for="id_beatles_1">
  462. Paul
  463. <span class="radio"><input id="id_beatles_1" name="beatles" type="radio" value="paul" /></span>
  464. </label>
  465. <label for="id_beatles_2">
  466. George
  467. <span class="radio"><input id="id_beatles_2" name="beatles" type="radio" value="george" /></span>
  468. </label>
  469. <label for="id_beatles_3">
  470. Ringo
  471. <span class="radio"><input id="id_beatles_3" name="beatles" type="radio" value="ringo" /></span>
  472. </label>
  473. If you decide not to loop over the radio buttons -- e.g., if your template
  474. simply includes ``{{ myform.beatles }}`` -- they'll be output in a ``<ul>``
  475. with ``<li>`` tags, as above.
  476. The outer ``<ul>`` container will receive the ``id`` attribute defined on
  477. the widget.
  478. When looping over the radio buttons, the ``label`` and ``input`` tags include
  479. ``for`` and ``id`` attributes, respectively. Each radio button has an
  480. ``id_for_label`` attribute to output the element's ID.
  481. ``CheckboxSelectMultiple``
  482. ~~~~~~~~~~~~~~~~~~~~~~~~~~
  483. .. class:: CheckboxSelectMultiple
  484. Similar to :class:`SelectMultiple`, but rendered as a list of check
  485. buttons:
  486. .. code-block:: html
  487. <ul>
  488. <li><input type='checkbox' name='...' ></li>
  489. ...
  490. </ul>
  491. The outer ``<ul>`` container will receive the ``id`` attribute defined on
  492. the widget.
  493. Like :class:`RadioSelect`, you can now loop over the individual checkboxes making
  494. up the lists. See the documentation of :class:`RadioSelect` for more details.
  495. When looping over the checkboxes, the ``label`` and ``input`` tags include
  496. ``for`` and ``id`` attributes, respectively. Each checkbox has an
  497. ``id_for_label`` attribute to output the element's ID.
  498. .. _file-upload-widgets:
  499. File upload widgets
  500. ^^^^^^^^^^^^^^^^^^^
  501. ``FileInput``
  502. ~~~~~~~~~~~~~
  503. .. class:: FileInput
  504. File upload input: ``<input type='file' ...>``
  505. ``ClearableFileInput``
  506. ~~~~~~~~~~~~~~~~~~~~~~
  507. .. class:: ClearableFileInput
  508. File upload input: ``<input type='file' ...>``, with an additional checkbox
  509. input to clear the field's value, if the field is not required and has
  510. initial data.
  511. .. _composite-widgets:
  512. Composite widgets
  513. ^^^^^^^^^^^^^^^^^
  514. ``MultipleHiddenInput``
  515. ~~~~~~~~~~~~~~~~~~~~~~~
  516. .. class:: MultipleHiddenInput
  517. Multiple ``<input type='hidden' ...>`` widgets.
  518. A widget that handles multiple hidden widgets for fields that have a list
  519. of values.
  520. .. attribute:: MultipleHiddenInput.choices
  521. This attribute is optional when the form field does not have a
  522. ``choices`` attribute. If it does, it will override anything you set
  523. here when the attribute is updated on the :class:`Field`.
  524. ``SplitDateTimeWidget``
  525. ~~~~~~~~~~~~~~~~~~~~~~~
  526. .. class:: SplitDateTimeWidget
  527. Wrapper (using :class:`MultiWidget`) around two widgets: :class:`DateInput`
  528. for the date, and :class:`TimeInput` for the time.
  529. ``SplitDateTimeWidget`` has two optional attributes:
  530. .. attribute:: SplitDateTimeWidget.date_format
  531. Similar to :attr:`DateInput.format`
  532. .. attribute:: SplitDateTimeWidget.time_format
  533. Similar to :attr:`TimeInput.format`
  534. ``SplitHiddenDateTimeWidget``
  535. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  536. .. class:: SplitHiddenDateTimeWidget
  537. Similar to :class:`SplitDateTimeWidget`, but uses :class:`HiddenInput` for
  538. both date and time.
  539. ``SelectDateWidget``
  540. ~~~~~~~~~~~~~~~~~~~~
  541. .. class:: SelectDateWidget
  542. Wrapper around three :class:`~django.forms.Select` widgets: one each for
  543. month, day, and year.
  544. Takes several optional arguments:
  545. .. attribute:: SelectDateWidget.years
  546. An optional list/tuple of years to use in the "year" select box.
  547. The default is a list containing the current year and the next 9 years.
  548. .. attribute:: SelectDateWidget.months
  549. An optional dict of months to use in the "months" select box.
  550. The keys of the dict correspond to the month number (1-indexed) and
  551. the values are the displayed months::
  552. MONTHS = {
  553. 1:_('jan'), 2:_('feb'), 3:_('mar'), 4:_('apr'),
  554. 5:_('may'), 6:_('jun'), 7:_('jul'), 8:_('aug'),
  555. 9:_('sep'), 10:_('oct'), 11:_('nov'), 12:_('dec')
  556. }
  557. .. attribute:: SelectDateWidget.empty_label
  558. If the :class:`~django.forms.DateField` is not required,
  559. :class:`SelectDateWidget` will have an empty choice at the top of the
  560. list (which is ``---`` by default). You can change the text of this
  561. label with the ``empty_label`` attribute. ``empty_label`` can be a
  562. ``string``, ``list``, or ``tuple``. When a string is used, all select
  563. boxes will each have an empty choice with this label. If ``empty_label``
  564. is a ``list`` or ``tuple`` of 3 string elements, the select boxes will
  565. have their own custom label. The labels should be in this order
  566. ``('year_label', 'month_label', 'day_label')``.
  567. .. code-block:: python
  568. # A custom empty label with string
  569. field1 = forms.DateField(widget=SelectDateWidget(empty_label="Nothing"))
  570. # A custom empty label with tuple
  571. field1 = forms.DateField(
  572. widget=SelectDateWidget(
  573. empty_label=("Choose Year", "Choose Month", "Choose Day"),
  574. ),
  575. )
  576. .. versionchanged:: 1.9
  577. This widget used to be located in the ``django.forms.extras.widgets``
  578. package. It is now defined in ``django.forms.widgets`` and like the
  579. other widgets it can be imported directly from ``django.forms``.