2

我知道如何清理 django 的 forms.py 中的数据,但我遇到了一个以前从未遇到过的奇怪错误

我有这是我的forms.py:

class BetaPhoneForm(ModelForm):
class Meta:
    model = RegisterHotTable
    fields = ('pracPhone',)

def clean_pracPhone(self):
    pracPhone = self.cleaned_data['pracPhone']

    if pracPhone is None:
        raise forms.ValidationError("This value cannot be empty")
    else:
        if not pracPhone.isdigit():
            raise forms.ValidationError("Please enter a valid phone number.")
    return pracPhone

所以我正在使用自定义清理方法 clean_pracPhone 清理我的领域。当我将值留空并看到“此值不能为空”时,它适用于部分

我希望表单显示错误“请输入有效的电话号码”。当我输入字母而不是数字时,而不是标准的“输入整数”。

事实上,我意识到当我输入字母时这个方法甚至没有运行。

我知道我可以通过创建自定义字符域而不使用 ModelForm 来“破解”这个问题,但我真的不想这样做。

我也尝试了 self.data 而不是 self.cleaned_data 但它没有用。

任何想法如何让这个工作。

谢谢!

4

1 回答 1

4

根据您的错误消息,我假设在您的模型中pracPhone由 a 表示。models.IntegerField这意味着在您的 ModelForm 中,该字段由 表示forms.IntegerField

forms.IntegerField默认情况下带有一些验证:

  • 必需的
  • 无效的
  • 最小值
  • 最大值

您应该覆盖默认消息以进行验证IntegerField

class BetaPhoneForm(forms.ModelForm):

    pracPhone = forms.IntegerField(error_messages={
        "required": "This value cannot be empty.",
        "invalid": "Please enter a valid phone number.",
    })

    class Meta:
        model = RegisterHotTable
        fields = ('pracPhone',)

    def clean_procPhone(self):
        pracPhone = self.cleaned_data['pracPhone']
        # your other validations go here.
        return pracPhone
于 2012-07-06T01:16:30.487 回答