首页 > 解决方案 > 对不属于表单的字段执行 Django 验证

问题描述

我想根据我的 Django 模型中的一个字段提出一个 ValidationError,而不是将相应的文件作为 ModelForm 的一部分。我在谷歌上搜索了一下后发现了模型验证器的概念。所以我尝试执行以下操作:

def minimumDuration(value):
    if value == 0:
        raise ValidationError("Minimum value accepted is 1 second!")

class PlaylistItem(models.Model):
    position = models.IntegerField(null=False)
    content = models.ForeignKey(Content, null=True, on_delete=models.SET_NULL)
    item_duration = models.IntegerField(validators = [minimumDuration], default = 5, null=True, blank=True)
    playlist = models.ForeignKey(Playlist, null=True, on_delete=models.CASCADE)

但是,当我在相应字段中引入 0 时,不会出现错误。从 Django 的文档中,我发现保存模型时不会自动应用验证器。它把我重定向到这个页面,但我真的不明白如何应用这些。任何想法?

标签: pythondjangodjango-modelsvalidationerrordjango-model-field

解决方案


以下是在模型之外具有此类自定义字段的表单示例:

class ExampleForm(forms.ModelForm):
    custom_field = forms.BooleanField(
        label='Just non model field, replace with the type you need',
        required=False
    )

    class Meta:
        model = YourModel

    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        # optional: further customize field widget
        self.fields['custom_field'].widget.attrs.update({
            'id': self.instance.pk + '-custom_field',
            'class': 'custom-field-class'
        })
        self.fields['custom_field'].initial = self._get_custom_initial()

    def _get_custom_initial(self):
        # compute initial value based on self.instance and other logic
        return True

    def _valid_custom_field(value):
        # validate your value here
        # return Boolean

    def clean(self):
        """
        The important method: override clean to hook your validation
        """
        super().clean()
        custom_field_val = self.cleaned_data.get('custom_field')
        if not self._valid_custom_field(custom_field_val):
            raise ValidationError(
                'Custom Field is not valid')

推荐阅读