无法为Django中的forms.ChoiceField设置初始值

8 投票
1 回答
5729 浏览
提问于 2025-04-16 21:23

大家好

我想给ChoiceField设置一个初始值,但这个值并不在ChoiceField的选项中。

下面是ArticleForm的定义:

def ArticleForm(forms.Form):
  choice = forms.ChoiceField(choices=[['a':'a'],['b':'b']])

然后我通过传递初始参数来实例化这个表单:

form = ArticleForm(initial={'choice':'Portrush'})

注意,初始值('Portrush')并不是ChoiceField中定义的选项('a'和'b')。

我该如何设置这个初始值呢?任何建议都很感谢。

1 个回答

6

可能是像这样:

class ArticleForm(forms.Form):
    LETTER_A = 'a'
    LETTER_B = 'b'
    # look not a dict
    CHOICES = ((LETTER_A,'letter a'),
               (LETTER_B,'letter b'))

    choice = forms.ChoiceField(choices=CHOICES)

    def __init__(self, *args, **kwargs):
        initial =  kwargs.get('initial', {})
        choice = initial.get('choice', None)

        # set just the initial value
        # in the real form needs something like this {'choice':'a'}
        # but in this case you want {'choice':('a', 'letter_a')}
        if choice:
            kwargs['initial']['choice'] = choice[0]

        # create the form
        super(ArticleForm, self).__init__(*args, **kwargs)

        # self.fields only exist after, so a double validation is needed
        if  choice and choice[0] not in (c[0] for c in self.CHOICES):
            self.fields['choice'].choices.append(choice)


form = ArticleForm(initial={'choice':('c','other')})
form.as_p()
>>> u'<p><label for="id_choice">Choice:</label> <select name="choice" id="id_choice">\n<option value="a">letter a</option>\n<option value="b">letter b</option>\n<option value="c" selected="selected">other</option>\n</select></p>'

撰写回答