python之路_django中form組件

 以下form組件實現的註冊代碼,將以此實例進行講解:html

html文件:前端

<form class="form-horizontal" style="margin-top: 100px" action="{{ request.get_full_path }}" method="post">
            {% csrf_token %}
            <div class="form-group">
                <label for="username" class="col-sm-2 control-label col-sm-offset-2"><span class="important">*</span>用戶名:</label>
                <div class="col-sm-4">
                    {{ register_form.username }}<span class="error">{{ errors.username.0 }}</span>
                </div>
            </div>
            <div class="form-group">
                <label for="useremail" class="col-sm-2 control-label col-sm-offset-2"><span class="important">*</span>設置郵箱:</label>
                <div class="col-sm-4">
                    {{ register_form.useremail }}<span class="error">{{ errors.useremail.0 }}</span>
                </div>
            </div>
            <div class="form-group">
                <label for="userpswd1" class="col-sm-2 control-label col-sm-offset-2"><span class="important">*</span>設置密碼:</label>
                <div class="col-sm-4">
                    {{ register_form.userpswd1 }}<span class="error">{{ errors.userpswd1.0 }}</span>
                </div>
            </div>
            <div class="form-group">
                <label for="userpswd2" class="col-sm-2 control-label col-sm-offset-2"><span class="important">*</span>確認密碼:</label>
                <div class="col-sm-4">
                    {{ register_form.userpswd2 }}<span class="error">{{ errors.userpswd2.0 }}</span><span class="error">{{ error_all.0}}</span>
                </div>
            </div>
              <div class="form-group">
                <label for="usergender" class="col-sm-2 control-label col-sm-offset-2"><span class="important">*</span>性別:</label>
                <div class="col-sm-1">
                    {{ register_form.usergender }}
                </div>
            </div>
            <div class="form-group">
                <div class="col-sm-offset-4 col-sm-4">
                    <input type="submit" class="btn btn-success btn-lg btn-block" value="肯定">
                </div>
            </div>
    </form>

form類代碼:git

from django import forms
from django.forms import widgets
from django.core.exceptions import ValidationError
from django.contrib.auth.models import User
class RegisterForm(forms.Form):
    username=forms.CharField(
        min_length=5,max_length=12,
        error_messages={
            "required": "用戶名不能爲空",
            "min_length": "用戶名的長度不能小於5",
            "max_length": "用戶名的長度不能大於12"},
        widget=widgets.TextInput(attrs={"class":"form-control"})
    )
    useremail=forms.EmailField(
        error_messages={
            "required":"郵箱不能爲空",
            "invalid":"郵箱格式不合法"
        },
        widget=widgets.EmailInput(attrs={"class":"form-control"})
    )
    userpswd1=forms.CharField(
        min_length=8,
        error_messages={
            "required": "密碼不能爲空",
            "min_length": "用戶名的長度不能小於8"
        },
        widget=widgets.PasswordInput(attrs={"class":"form-control"})

    )
    userpswd2=forms.CharField(
        min_length=8,
        error_messages={
            "required": "密碼不能爲空",
            "min_length": "用戶名的長度不能小於8"
        },
        widget=widgets.PasswordInput(attrs={"class": "form-control"})

    )
    usergender = forms.CharField(
        widget=widgets.Select(choices=((1, '男'), (0, '女'),), attrs={"class": "form-control"})
    )

    def clean_username(self):
        user_name=self.cleaned_data.get("username")
        userObj=User.objects.filter(username=user_name)
        print(userObj)
        if not userObj:
            return self.cleaned_data.get("username")
        else:
            raise ValidationError("該帳戶已經存在!")
    def clean_userpswd1(self):
        userpswd1=self.cleaned_data.get("userpswd1")
        if userpswd1.isdigit() :
            raise ValidationError("密碼不能爲純數字!")
        elif userpswd1.isalpha() :
            raise ValidationError("密碼不能爲純字母!")
        else:
            return self.cleaned_data.get("userpswd1")
    def clean_userpswd2(self):
        userpswd2=self.cleaned_data.get("userpswd2")
        if userpswd2.isdigit() :
            raise ValidationError("密碼不能爲純數字!")
        elif userpswd2.isalpha() :
            raise ValidationError("密碼不能爲純字母!")
        else:
            return self.cleaned_data.get("userpswd2")
    def clean(self):
        print(self.cleaned_data.get("userpswd1"),self.cleaned_data.get("userpswd2"))
        if self.cleaned_data.get("userpswd1") and self.cleaned_data.get("userpswd2"):
            if self.cleaned_data.get("userpswd1")!=self.cleaned_data.get("userpswd2"):
                raise ValidationError("先後密碼不一致")
            else:
                return self.cleaned_data
        return self.cleaned_data
 

視圖函數:正則表達式

from django.shortcuts import render,HttpResponse
from app01.forms import RegisterForm
from django.contrib.auth.models import User
def register(request):
    if request.method=="POST":
        register_form=RegisterForm(request.POST)
        if register_form.is_valid():
            print("註冊成功")
            print(register_form.cleaned_data)
            username=register_form.cleaned_data.get("username")
            userpswd=register_form.cleaned_data.get("userpswd1")
            useremail=register_form.cleaned_data.get("useremail")
            User.objects.create_user(username=username,password=userpswd,email=useremail)
            return HttpResponse("註冊成功")
        else:
            print("註冊失敗")
            error=register_form.errors
            error_all=error.get("__all__")return render(request,"register.html",{"register_form": register_form,"errors":error,"error_all":error_all})
    register_form = RegisterForm()
    return render(request, "register.html", {"register_form": register_form})

1、form組件插件數據庫

  django的form主要有以下幾大功能:生成HTML標籤、驗證用戶信息(顯示錯誤信息)、HTML Form提交保留上次提交數據(爲提交成功時)、初始化頁面顯示內容等,現主要介紹form類中相關內容。django

一、內置字段後端

  在form類中建立的字段將用於在前端渲染成相應如input類的輸入框,字段名字即是渲染的標籤name,經過name值後端能夠取到相應的值,內置字段中能夠設置相應的數據輸入要求,具體內置字段設置以下:app

Field
    required=True,               是否容許爲空
    widget=None,                 HTML插件
    label=None,                  用於生成Label標籤或顯示內容
    initial=None,                初始值
    help_text='',                幫助信息(在標籤旁邊顯示)
    error_messages=None,         錯誤信息 {'required': '不能爲空', 'invalid': '格式錯誤'}
    show_hidden_initial=False,   是否在當前插件後面再加一個隱藏的且具備默認值的插件(可用於檢驗兩次輸入是否一直)
    validators=[],               自定義驗證規則
    localize=False,              是否支持本地化
    disabled=False,              是否能夠編輯
    label_suffix=None            Label內容後綴
 
 
CharField(Field)
    max_length=None,             最大長度
    min_length=None,             最小長度
    strip=True                   是否移除用戶輸入空白
 
IntegerField(Field)
    max_value=None,              最大值
    min_value=None,              最小值
 
FloatField(IntegerField)
    ...
 
DecimalField(IntegerField)
    max_value=None,              最大值
    min_value=None,              最小值
    max_digits=None,             總長度
    decimal_places=None,         小數位長度
 
BaseTemporalField(Field)
    input_formats=None          時間格式化   
 
DateField(BaseTemporalField)    格式:2015-09-01
TimeField(BaseTemporalField)    格式:11:12
DateTimeField(BaseTemporalField)格式:2015-09-01 11:12
 
DurationField(Field)            時間間隔:%d %H:%M:%S.%f
    ...
 
RegexField(CharField)
    regex,                      自定製正則表達式
    max_length=None,            最大長度
    min_length=None,            最小長度
    error_message=None,         忽略,錯誤信息使用 error_messages={'invalid': '...'}
 
EmailField(CharField)      
    ...
 
FileField(Field)
    allow_empty_file=False     是否容許空文件
 
ImageField(FileField)      
    ...
    注:須要PIL模塊,pip3 install Pillow
    以上兩個字典使用時,須要注意兩點:
        - form表單中 enctype="multipart/form-data"
        - view函數中 obj = MyForm(request.POST, request.FILES)
 
URLField(Field)
    ...
 
 
BooleanField(Field)  
    ...
 
NullBooleanField(BooleanField)
    ...
 
ChoiceField(Field)
    ...
    choices=(),                選項,如:choices = ((0,'上海'),(1,'北京'),)
    required=True,             是否必填
    widget=None,               插件,默認select插件
    label=None,                Label內容
    initial=None,              初始值
    help_text='',              幫助提示
 
 
ModelChoiceField(ChoiceField)
    ...                        django.forms.models.ModelChoiceField
    queryset,                  # 查詢數據庫中的數據
    empty_label="---------",   # 默認空顯示內容
    to_field_name=None,        # HTML中value的值對應的字段
    limit_choices_to=None      # ModelForm中對queryset二次篩選
     
ModelMultipleChoiceField(ModelChoiceField)
    ...                        django.forms.models.ModelMultipleChoiceField
 
 
     
TypedChoiceField(ChoiceField)
    coerce = lambda val: val   對選中的值進行一次轉換
    empty_value= ''            空值的默認值
 
MultipleChoiceField(ChoiceField)
    ...
 
TypedMultipleChoiceField(MultipleChoiceField)
    coerce = lambda val: val   對選中的每個值進行一次轉換
    empty_value= ''            空值的默認值
 
ComboField(Field)
    fields=()                  使用多個驗證,以下:即驗證最大長度20,又驗證郵箱格式
                               fields.ComboField(fields=[fields.CharField(max_length=20), fields.EmailField(),])
 
MultiValueField(Field)
    PS: 抽象類,子類中能夠實現聚合多個字典去匹配一個值,要配合MultiWidget使用
 
SplitDateTimeField(MultiValueField)
    input_date_formats=None,   格式列表:['%Y--%m--%d', '%m%d/%Y', '%m/%d/%y']
    input_time_formats=None    格式列表:['%H:%M:%S', '%H:%M:%S.%f', '%H:%M']
 
FilePathField(ChoiceField)     文件選項,目錄下文件顯示在頁面中
    path,                      文件夾路徑
    match=None,                正則匹配
    recursive=False,           遞歸下面的文件夾
    allow_files=True,          容許文件
    allow_folders=False,       容許文件夾
    required=True,
    widget=None,
    label=None,
    initial=None,
    help_text=''
 
GenericIPAddressField
    protocol='both',           both,ipv4,ipv6支持的IP格式
    unpack_ipv4=False          解析ipv4地址,若是是::ffff:192.0.2.1時候,可解析爲192.0.2.1, PS:protocol必須爲both才能啓用
 
SlugField(CharField)           數字,字母,下劃線,減號(連字符)
    ...
 
UUIDField(CharField)           uuid類型
    ...

二、內置插件函數

  內置字段傳到前端後被渲染成相應標籤,可是標籤的類型能夠經過內置插件方式進行設置,以下選擇框的應該用實例,必須經過此方式引入相應模塊:from django.forms import widgets。post

  以下爲django中form插件中主要內置插件:

TextInput(Input)
NumberInput(TextInput)
EmailInput(TextInput)
URLInput(TextInput)
PasswordInput(TextInput)
HiddenInput(TextInput)
Textarea(Widget)
DateInput(DateTimeBaseInput)
DateTimeInput(DateTimeBaseInput)
TimeInput(DateTimeBaseInput)
CheckboxInput
Select
NullBooleanSelect
SelectMultiple
RadioSelect
CheckboxSelectMultiple
FileInput
ClearableFileInput
MultipleHiddenInput
SplitDateTimeWidget
SplitHiddenDateTimeWidget
SelectDateWidget

三、經常使用選擇插件

  常見選擇性插件的應用以下:

# 單radio,值爲字符串
# user = fields.CharField(
#     initial=2,
#     widget=widgets.RadioSelect(choices=((1,'上海'),(2,'北京'),))
# )
 
# 單radio,值爲字符串
# user = fields.ChoiceField(
#     choices=((1, '上海'), (2, '北京'),),
#     initial=2,
#     widget=widgets.RadioSelect
# )
 
# 單select,值爲字符串
# user = fields.CharField(
#     initial=2,
#     widget=widgets.Select(choices=((1,'上海'),(2,'北京'),))
# )
 
# 單select,值爲字符串
# user = fields.ChoiceField(
#     choices=((1, '上海'), (2, '北京'),),
#     initial=2,
#     widget=widgets.Select
# )
 
# 多選select,值爲列表
# user = fields.MultipleChoiceField(
#     choices=((1,'上海'),(2,'北京'),),
#     initial=[1,],
#     widget=widgets.SelectMultiple
# )
 
 
# 單checkbox
# user = fields.CharField(
#     widget=widgets.CheckboxInput()
# )
 
 
# 多選checkbox,值爲列表
# user = fields.MultipleChoiceField(
#     initial=[2, ],
#     choices=((1, '上海'), (2, '北京'),),
#     widget=widgets.CheckboxSelectMultiple
# )

 2、form組件鉤子

  form組件的鉤子主要是對接收到的數據作進一步的限制檢測,包含局部鉤子和全局鉤子,具體介紹以下:

一、局部鉤子

  局部鉤子主要是對單個字段接收到數據進行檢測判斷,檢測的錯誤信息也是放到該字段的錯誤信息errors字典中。

二、全局鉤子

相關文章
相關標籤/搜索