表单(一)

单纯从前端的html来说,表单是用来提交数据给服务器的,不管后台的服务器用的是Django还是PHP语言还是其他语言。只要把input标签放在form标签中,然后再添加一个提交按钮(submit),那么以后点击提交按钮,就可以将input标签中对应的值提交给服务器了。

Django中的表单:
Django中的表单丰富了传统的HTML语言中的表单。在Django中的表单,主要做以下两件事:

<1> 渲染表单模板。
<2> 表单验证数据是否合法

以生成'留言板'网页为示例:

步骤<1> 新建'front app',新建'forms'

# forms

# 总览一下,操作方法与'模型'类似
from django import forms

class MessageBoardForm(forms.Form): # 继承Form类
    title=forms.CharField(max_length=10,min_length=2)
    content=forms.CharField(widget=forms.Textarea)# 使用widget(组件)指定'Textarea'类型
    email=forms.EmailField()
    reply=forms.BooleanField(required=False)# reply字段通过'required'参数取值,表示'可选','可不选'

步骤<2> '服务端'加载'MessageBoardForm'

# front.views

from django.shortcuts import render
from django.views.generic import View
from .forms import MessageBoardForm

# FormView用来处理'get'和'post'请求
class FormView(View):

    def get(self,request):
        # 生成空表单并传递context
        # 这个form对象包含了不少方法和属性,可以了解
        form=MessageBoardForm()
        context={
            'form':form
        }
        return render(request,'index.html',context=context)
        

步骤<3> 前端模板的渲染并映射url

# index.html

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Message Board</title>
</head>
<body>
    <form action="" method="post">
        <table>
            {{ form.as_table }} # 这里使用form对象的as_table渲染表单
            <tr>
                <td></td>
                <td>
                    <input type="submit" value="提交"> # 定义'提交'按钮,发送数据
                </td>
            </tr>
        </table>
    </form>
</body>
</html>

'''
实际开发中,很少用到form.as_table,比如想插入CSS之类的样式,这里要怎么破...
'''

# urls

from django.urls import path
from front import views

urlpatterns = [
    path('', views.FormView.as_view()),
]

启动服务,刷新网页,看看效果(每个'字段'会'自动'添加':'符号)
通过试验,即使后端的'post'方法没有定义,但是前端依然对'字段'作了限制
比如'content'字段不能为空,'email'字段的格式'随便写'也是不能通过的
(请不要'图样图森破',以为'后端'就不用对'字段'作限制了...原因自己想...)

• 小小修改一下'forms.py',变更模板的标签(通过'label'设置中文标签)

# forms

from django import forms

class MessageBoardForm(forms.Form):
    # 通过label参数设置中文标签
    title=forms.CharField(max_length=10,min_length=2,label='标题')
    content=forms.CharField(widget=forms.Textarea,label='内容')
    email=forms.EmailField(label='邮箱')
    reply=forms.BooleanField(required=False,label='回复')

步骤<4> 后端'post'方法编写:

# views

from django.shortcuts import render
from django.views.generic import View
from .forms import MessageBoardForm
from django.http import HttpResponse

class FormView(View):

    def get(self,request):
        ......
        return render(request,'index.html',context=context)

    def post(self,request):
    
        # 这里依然涉及form对象的一些属性和方法,有空可以去了解(is_valid和cleaned_data经常搭配使用)
        form=MessageBoardForm(request.POST) # 接收POST传过来的'类字典对象'
        if form.is_valid(): # 验证是否可用
            title=form.cleaned_data.get('title') # 利用cleaned_data属性获取对应的字段
            content=form.cleaned_data.get('content')
            email=form.cleaned_data.get('email')
            reply=form.cleaned_data.get('reply')
            # 终端获取前端传过来的数据
            print('*'*40)
            print(title)
            print(content)
            print(email)
            print(reply)
            print('*'*40)
            return HttpResponse('留言板回复成功!!!')
        else:
            print(form.errors) # 如果用户发送的字段验证失败,'终端打印错误信息'
            return HttpResponse('fail!')
            '''
            <ul class="errorlist"><li>content<ul class="errorlist"><li>This field is required.</li></ul></li><li>title<ul class="errorlist"><li>This field is required.</li></ul></li><li>email<ul class="errorlist"><li>This field is required.</li></ul></li></ul>
            '''
异常的处理:

errors属性返回的'信息'并不友好,查看type(form.errors)
# class 'django.forms.utils.ErrorDict' ,errors实质就是'ErrorDict'的一个实例,查看源码,我们调用get_json_data()返回更加友好的错误信息:

class FormView(View):

    ......
        else:
            # {'content': [{'message': 'This field is required.', 'code': 'required'}], 'title': [{'message': 'This field is required.', 'code': 'required'}], 'email': [{'message': 'This field is required.', 'code': 'required'}]}

            print(form.errors.get_json_data())
            return HttpResponse('fail!')
            '''
            显然看起来更加清楚了
            '''

进一步的改进:使用中文'自定义'出错内容

# forms

from django import forms

class MessageBoardForm(forms.Form):
    # 通过 error_messages 参数自定义'出错信息'
    title=forms.CharField(max_length=10,min_length=2,label='标题',
                          error_messages=dict(min_length='字段不能少于2个字符'))
    content=forms.CharField(widget=forms.Textarea,label='内容',
                            error_messages=dict(required='必须输入content字段'))
    email=forms.EmailField(label='邮箱',error_messages=dict(required='必须输入email字段'))
    reply=forms.BooleanField(required=False,label='回复')
    
    '''
    {'content': [{'message': '必须输入content字段', 'code': 'required'}], 'email': [{'message': '必须输入email字段', 'code': 'required'}], 'title': [{'message': 'This field is required.', 'code': 'required'}]}
    '''

使用纯前端的实例(例如前端不再使用form.as_table):

# forms

from django import forms

class MessageBoardForm(forms.Form):
   # 这里传递的key不仅仅只有'required',比如还有'invalid'
    email=forms.EmailField(label='邮箱',error_messages=dict(required='必须输入email字段'))
    price=forms.FloatField(label='价格',error_messages=dict(invalid='请输入正确的浮点类型'))
    
# views

from django.shortcuts import render
from django.views.generic import View
from .forms import MessageBoardForm
from django.http import HttpResponse
from django.forms.utils import ErrorDict

class FormView(View):
    
    # 不再传递context=form,直接加载前端表单
    def get(self,request):
        return render(request,'index.html')

    def post(self,request):
        form=MessageBoardForm(request.POST)
        if form.is_valid():# 字段的验证,在调用is_valid()的时候,就会被验证
            price=form.cleaned_data.get('price')
            return HttpResponse('数据提交成功!!!')
        else:
            print(form.errors.get_json_data()) # 最终都是调用get_json_data()方法
            return HttpResponse('数据提交失败!')

# html

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Message Board</title>
</head>
<body>
    <form action="" method="post">
        <label> 邮箱:
            <input type="text" name="email">
        </label>
        <label> 价格:
            <input type="text" name="price">
        </label>
        <input type="submit" value="submit">
    </form>
</body>
</html>

重启服务,故意输错,看看终端的效果

'''
{'price': [{'message': '请输入正确的浮点类型', 'code': 'invalid'}], 'email': [{'message': '必须输入email字段', 'code': 'required'}]}
'''

注意:由于前端使用了纯html语言,前端界面不会再对邮箱字段的'有效性'进行验证,而我们之前使用form.as_table是可以从前端对字段的'有效性'进行验证的!

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,456评论 5 477
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,370评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,337评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,583评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,596评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,572评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,936评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,595评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,850评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,601评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,685评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,371评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,951评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,934评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,167评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 43,636评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,411评论 2 342

推荐阅读更多精彩内容