将数据传递给 django form 的 field clean 方法

dea*_*ase 2 django django-models django-forms django-validation

我有这样的形式:

class TitlePropose(forms.Form):
    title = forms.CharField(max_length=128)
    code= forms.CharField(max_length=32)
    def __init__(self, contest, *args, **kwargs):
        super(TitlePropose, self).__init__(*args, **kwargs)
        self.helper = FormHelper()
        self.helper.form_id = self.__class__.__name__.lower()
        self.helper.form_action = ''
        self.helper.layout = Layout(,
            Field('title'),
            Field('code'),
        )


    def clean_title(self):
        if OtherModel.objects.filter(contest=contest, title=self.cleaned_data['title']).count() > 0:
            raise forms.ValidationError("Title unavailable")
        else:
            return self.cleaned_data['title']
Run Code Online (Sandbox Code Playgroud)

我尝试从 clean_title 方法访问变量“contest”,但没有成功。我在表单类构造函数中传递这个变量:

#contest is just some object
new_title_form = TitlePropose(contest=contest.uuid)
Run Code Online (Sandbox Code Playgroud)

有什么建议吗,我如何才能访问 clean_title 中的“竞赛”?

Dan*_*man 5

这是标准的 Python 类内容。如果要存储对象以便其他方法可以访问它,可以通过将其添加到 来使其成为实例属性self

def __init__(self, *args, **kwargs):
    self.contest = kwargs.pop('contest')
    super(TitlePropose, self).__init__(*args, **kwargs)

def clean_title(self):
    if OtherModel.objects.filter(contest=self.contest, ...
Run Code Online (Sandbox Code Playgroud)