TIMEX
TIMEX

Reputation: 271604

How do I use Django's form framework for select options?

http://docs.djangoproject.com/en/dev/ref/forms/widgets/#django.forms.Select

Here, it says I can do SELECT widgets. But how do I do that? It doesn't show any example on how to write that field in python.

 <select>
   <option>option 1</option>
   <option>option 2</option>
 </select>

Upvotes: 25

Views: 95265

Answers (4)

class MyForm(forms.Form):
    CHOICES = (('Option 1', 'Option 1'),('Option 2', 'Option 2'),)
    field = forms.ChoiceField(choices=CHOICES)
    
print MyForm().as_p()

# out: <p><label for="id_field">Field:</label> <select name="field" id="id_field">\n<option value="Option 1">Option 1</option>\n<option value="Option 2">Option 2</option>\n</select></p>

Upvotes: 32

Siraj Alam
Siraj Alam

Reputation: 10025

Django 2.0

Options = [
        ('1', 'Hello'),
        ('2', 'World'),
      ]
category = forms.ChoiceField(label='Category', widget=forms.Select, choices=sample)

BTW tuple also works as same as list.

Options = (
        ('1', 'Hello'),
        ('2', 'World'),
     )
category = forms.ChoiceField(label='Category', widget=forms.Select, choices=sample)

Upvotes: 3

ion-tichy
ion-tichy

Reputation: 141

errx's solution was almost correct in my case, the following did work (django v1.7x):

CHOICES= (
('1','ME'),
('2','YOU'),
('3','WE'),
)
select = forms.ChoiceField(widget=forms.Select, choices=CHOICES)

The elements inside CHOICES correspond to ($option_value,$option_text).

Upvotes: 13

errx
errx

Reputation: 1791

CHOICES= (
('ME', '1'),
('YOU', '2'),
('WE', '3'),
)
select = forms.CharField(widget=forms.Select(choices=CHOICES))

Upvotes: 14

Related Questions