问题 如何在Django基于类的视图中获取表单的提交值?


我有一个看起来像这样的Django表单:

class myForm(forms.Form):
    email = forms.EmailField(
        label="Email",
        max_length=254,
        required=True,
    )

我有一个关联的基于类的FormView,如下所示。我可以看到表单已成功验证数据,并且流程正在进入下面的form_valid()方法。我需要知道的是如何获取用户在电子邮件字段中提交的值。 form.fields['email'].value 不起作用。

class myFormView(FormView):
    template_name = 'myTemplate.html'
    form_class = myForm
    success_url = "/blahblahblah"


    def form_valid(self, form):
        # How Do I get the submitted values of the form fields here?
        # I would like to do a log.debug() of the email address?
        return super(myFormView, self).form_valid(form)

12823
2017-08-01 23:12


起源



答案:


你可以查看表格 cleaned_data 属性,它将是一个字段,其中您的字段为键,值为值。文件 这里

例:

class myFormView(FormView):
    template_name = 'myTemplate.html'
    form_class = myForm
    success_url = "/blahblahblah"


    def form_valid(self, form):
        email = form.cleaned_data['email'] <--- Add this line to get email value
        return super(myFormView, self).form_valid(form)

14
2017-08-02 00:06





尝试这个:

 form.cleaned_data.get('email')

1
2017-08-02 00:31