0

我已经阅读了大约 100 倍的 Forms 和 Formset Django 文档。为了清楚起见,这可能是我第一次使用 super() 或尝试从另一个类重载/继承(对我来说很重要。)

发生了什么?我正在视图中制作 django-model-formset 并将其传递给模板。表单集继承的模型恰好是多对多关系。我希望这些关系是唯一的,因此如果我的用户正在创建一个表单并且他们不小心为 ManyToMany 选择了相同的对象,我希望它验证失败。

我相信我已经正确地编写了这个自定义的“BaseModelFormSet”(通过文档),但我得到了一个 KeyError。它告诉我它找不到cleaned_data['tech'] 并且我在下面评论的行中的'tech' 一词上得到了KeyError。

该模型:

class Tech_Onsite(models.Model):
    tech = models.ForeignKey(User)
    ticket = models.ForeignKey(Ticket)
    in_time = models.DateTimeField(blank=False)
    out_time = models.DateTimeField(blank=False)

    def total_time(self):
        return self.out_time - self.in_time

自定义的 BaseModelFormSet:

from django.forms.models import BaseModelFormSet
from django.core.exceptions import ValidationError

class BaseTechOnsiteFormset(BaseModelFormSet):
    def clean(self):

        """ Checks to make sure there are unique techs present """

        super(BaseTechOnsiteFormset, self).clean()

        if any(self.errors):
            # Don't bother validating enless the rest of the form is valid
            return

        techs_present = []

        for form in self.forms:
            tech = form.cleaned_data['tech']  ## KeyError: 'tech' <- 

            if tech in techs_present:
                raise ValidationError("You cannot input multiple times for the same technician.  Please make sure you did not select the same technician twice.")
            techs_present.append(tech)

观点:(总结)

## I am instantiating my view with POST data:
tech_onsite_form = tech_onsite_formset(request.POST, request.FILES)
## I am receiving an error when the script reaches:
if tech_onsite_form.is_valid():
    ## blah blah blah..
4

2 回答 2

1

clean 方法不是缺少返回语句吗?如果我没记错的话,它应该总是返回cleaned_data。超级调用也返回cleaned_data,所以你应该在那里分配它。

def clean(self):
    cleaned_data = super(BaseTechOnsiteFormset, self).clean()
    # use cleaned_data from here to validate your form
    return cleaned_data

请参阅:django 文档以获取更多信息

于 2012-07-24T06:28:46.427 回答
0

我使用 Django shell 手动调用表单。我发现我正在对视图返回的所有表单执行 clean() 方法。有2个填写了数据,2个空白。当我的 clean() 方法遍历它们时,它在到达第一个空白时返回了 KeyError。

我通过使用 try 语句并传递 KeyErrors 解决了我的问题。

于 2012-07-24T22:40:04.030 回答