1

我正在使用 Django 表单视图,我想将每个用户的自定义选项输入到我的Choicefield.

我怎样才能做到这一点?

我可以使用这个get_initial功能吗?我可以覆盖该字段吗?

4

1 回答 1

1

当我想更改有关表单的某些内容时,例如标签文本、添加必填字段或过滤选项列表等。我遵循使用 ModelForm 并向其中添加一些实用程序方法的模式,其中包含我的覆盖代码(这有助于保持__init__整洁)。然后调用这些方法__init__以覆盖默认值。

class ProfileForm(forms.ModelForm):
    class Meta:
        model = Profile
        fields = ('country', 'contact_phone', )

    def __init__(self, *args, **kwargs):
        super(ProfileForm, self).__init__(*args, **kwargs)

        self.set_querysets()
        self.set_labels()
        self.set_required_values()
        self.set_initial_values()

    def set_querysets(self):
        """Filter ChoiceFields here."""
        # only show active countries in the ‘country’ choices list
        self.fields["country"].queryset = Country.objects.filter(active=True)

    def set_labels(self):
        """Override field labels here."""
        pass

    def set_required_values(self):
        """Make specific fields mandatory here."""
        pass

    def set_initial_values(self):
        """Set initial field values here."""
        pass

如果这ChoiceField是您要自定义的唯一内容,那么这就是您所需要的:

class ProfileForm(forms.ModelForm):
    class Meta:
        model = Profile
        fields = ('country', 'contact_phone', )

    def __init__(self, *args, **kwargs):
        super(ProfileForm, self).__init__(*args, **kwargs)

        # only show active countries in the ‘country’ choices list
        self.fields["country"].queryset = Country.objects.filter(active=True)

然后,您可以让您的 FormView 使用此表单,如下所示:

class ProfileFormView(FormView):
    template_name = "profile.html"
    form_class = ProfileForm
于 2013-03-01T16:27:12.347 回答