Django之Form自定義驗證規則

 

一、數據源沒法時時更新,有兩種方法html

方式一:重構構造方法(推薦)正則表達式

方法一:重構構造方法(推薦)
    class ClassesForm(Form):
    name = fields.CharField(
        required=True,  # 必填字段
        error_messages={"required": "姓名不能爲空!!"},  # 顯示中文錯誤提示
        widget=widgets.TextInput(attrs={"placeholder": "姓名", "class": "form-control"}),  # 自動生成input框
    )
    # 若是直接定義成classteacher_id,,_id 的形式,這樣你添加數據的時候不會時時更新,因此在下面定義一個重寫的方法
    # classteacher_id = fields.ChoiceField(choices= models.UserInfo.objects.filter(ut_id = settings.ROLE_CLASSTEACHER).values_list('id', "username"))

        classteacher_id = fields.ChoiceField(choices=[])
        def __init__(self,*args,**kwargs):   #重寫init方法,時時更新
            super().__init__(*args,**kwargs)   #繼承父類
self.fields["classteacher_id"].choices = models.UserInfo.objects.filter(ut_id = settings.ROLE_CLASSTEACHER).values_list('id', "username") 注意: 要是這樣:fields.ChoiceField(choices=[]) 注意choices裏面傳[(1,"講師"),(2,"班主任"),(3,"管理員")]因此數據庫裏取的時候得用values_list

 

方式二:數據庫

方法二:ModelChoiceField(不推薦),queryset
    from django.forms.models import ModelChoiceField  #先導入
    class ClassForm(Form):
        caption = fields.CharField(error_messages={'required':'班級名稱不能爲空'})
        # headmaster = fields.ChoiceField(choices=[(1,'娜娜',)])
        headmaster_id = ModelChoiceField(queryset=models.UserInfo.objects.filter(ut_id=2))

 

二、Form基本使用django

    類
    字段
    is_valid()
    cleaned_data
    errors
    字段參數:
        max_length
        min_length
        validators = [RegexValidators("xxx")]
        
    鉤子函數
        clean_字段名
        注意:
            必須有返回值
            只能拿本身當前字段值
            raise ValidationError("xxx")
    下拉框數據源時時更新
        一、重寫init方法
            先執行父類構造方法
            self.fields["xx"].choices = xxxxx
        二、ModelChoiceField

 

三、用戶登陸session

- form的字段能夠定義正則表達式
            password = fields.CharField(
                required=True,
                min_length=3,
                max_length=18,
                error_messages={
                    'required': '密碼不能爲空',
                    'min_length': '密碼長度不能小於3',
                    'max_length': '密碼長度不能大於18',
                    'invalid': '密碼格式錯誤',
                },
                validators=[RegexValidator('\d+','只能是數字') ]
            )
            注意:error_messages的優先級比validators高
複製代碼

 須要導入的模塊函數

from django.forms import Form
from django.forms import fields
from django.forms import widgets
from django.conf import settings
from django.core.validators import ValidationError
from django.core.validators import RegexValidator

 

 

class LoginForm(Form):
    username = fields.CharField(
        required=True,  #必填字段
        min_length=3,
        max_length=16,
        error_messages={
            "required":"用戶名不能爲空",
            "min_length":"長度不能小於3",
            "max_length":"長度不能大於16"
        },
        widget=widgets.TextInput({"placeholder":"username","class":"form-control"})
    )
    password = fields.CharField(
        required=True,
        min_length=3,
        max_length=16,
        error_messages={
            "required": "密碼不能爲空",
            "min_length": "密碼長度不能小於3",
            "max_length": "密碼長度不能大於16",
            # "invalid":"密碼格式錯誤"
            # error_messages的優先級高,若是寫上"invalid":"密碼格式錯誤"這個就會優先顯示這個錯誤
        },
        widget=widgets.PasswordInput({"placeholder":"password","class":"form-control"}),
        validators=[RegexValidator("\d+","密碼只能是數字")]  #能夠進行正則匹配提示錯誤
    )

    def clean_username(self):
        user = self.cleaned_data["username"]
        is_exits = models.UserInfo.objects.filter(username=user).count()
        if not is_exits:
            raise ValidationError("用戶名和密碼錯誤")
        return user   #必須有return

 

views.py ---------loginui

def login(request):
    if request.method == "GET":
        form = LoginForm()
        return render(request, "login.html", {"form": form})
    else:
        form = LoginForm(data=request.POST)
        if form.is_valid():
            print(form.cleaned_data)
            # username = form.cleaned_data["username"]
            # password = form.cleaned_data["password"]
            # user = models.UserInfo.objects.filter(username=username, password=password).first()
            user = models.UserInfo.objects.filter(**form.cleaned_data).first()
            if user:  #此次是和數據庫裏的數據進行比較
                #驗證成功
                print(user.username)
                request.session[settings.GDP] = {"id":user.id,"username":user.username}  #設置session
                return redirect("/teacherindex/")
            else:
                #驗證失敗,就給增長一個錯
                form.add_error("password","用戶名或密碼不正確")
                return render(request, "login.html", {"form": form})
        else:
            return render(request, "login.html", {"form": form})

 

- 主動向form中添加錯誤信息
  # form.add_error('password','用戶名或密碼錯誤')
  form.add_error('password',ValidationError('用戶名或密碼錯誤'))
  這兩個均可以,建議用第二個spa

四、Form擴展(鉤子函數)code

若是對username作擴展
#先作正則表達式判斷
#而後自定義方法驗證:也就是clean_xx,稱爲鉤子函數orm

 def clean_username(self):
        #能夠寫本身的驗證提示
        不像validators只寫正則表達式。在這裏能夠隨意寫
        user=self.clean_data["username"]
        is_esits = models.UserInfo.objects.filter(username=user).count()
        if not is_esits:
            raise validationError("用戶名不存在")
        return user   #必須有返回值
    若是 def clean_password(self):  只能取password字段的值
    若是 def clean_username(self):  只能取username字段的值
    注意:在本身寫鉤子函數的時候,只能拿本身的字段不能拿別人的
    每一種字段就能夠用 正則+自定義正則+自定義鉤子函數


# 注意:
  clean_xx(self):pass 局部鉤子函數
  clean(self):pass    全局鉤子函數

例子:

一、局部鉤子函數

 def clean_username(self):
        username = self.cleaned_data.get("username")
        valid = models.UserInfo.objects.filter(username = username).first()
        if valid:
            raise ValidationError("用戶名已存在")
        return username

二、全局鉤子函數

#自定義全局鉤子:驗證兩次密碼是否一致
 def clean(self):
   if self.cleaned_data.get("password") == self.cleaned_data.get("password_again"):
        return self.cleaned_data
   else:
        raise  ValidationError("兩次密碼不一致")
相關文章
相關標籤/搜索