• Day60——分页器,form组件,modelform组件


    批量操作数据

    def index(request):
        obj_list = []
        for i in range(1000):
            book_obj = models.Book(title=f'第%s页' % i)
            obj_list.append(book_obj)
        models.Book.objects.bulk_create(obj_list)
        book_query = models.Book.objects.all()
        return render(request, 'index.html', locals())
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8

    重要参数:

    bulk_create:批量创建数据
    bulk_update:批量修改数据
    
    • 1
    • 2

    因为涉及到大量数据的批量创建,所以使用create可能会使得数据库崩溃

    批量数据展示

    因为涉及到大量的数据,在展示数据的时候我们应该采取分页展示

    我们可以根据divmod()传入总数据的条数和每页要展示的条数,然后会计算出我需要的页数,如果有多的条数,也会返回显示,这个时候我们就可以通过解压赋值,判断是否有余数,如果有的话那么就应该让页数增加一页

    网站不可能将所有的数据全部展示到一页,应该考虑使用分页 每页展示一些

    1. QuerySet切片操作
    2. all()结果集支持正数的索引切片
    3. 分页相关参数数学关系
    4. 后端渲染前端分页代码
    5. 后端限制分页展示数量
    6. 首尾页码展示范围问题

      以后可能很多地方都需要使用分页 不可能重复编写 所以封装成了模块

    分页器推导流程

    from django.shortcuts import render,HttpResponse,redirect
    from app01 import models
    # Create your views here.
    from django.core.exceptions import  ValidationError
    def index(request):
        # 1.往书籍表中插入数据 1000
        # for i in range(1000):  # 这种插入方式 效率极低
        #     models.Book.objects.create(title='第%s本书'%i)
        # book_list = []
        # for i in range(100000):
        #     book_list.append(models.Book(title='第%s本书'%i))
        # models.Book.objects.bulk_create(book_list)  # 批量插入数据
        # 2.将刚刚插入的数据查询出来展示到前端
    
        # 1.获取用户想要访问的页码数
        current_page = request.GET.get('page',1)  # 如果没有page参数 默认就展示第一页
        # 转成整型
        current_page = int(current_page)
        # 2.每页展示10条数据
        per_page_num = 10
    
        # 3.定义起始位置和终止位置
        start_page = (current_page - 1) * per_page_num
        end_page = current_page * per_page_num
    
        # 4.统计数据的总条数
        book_queryset = models.Book.objects.all()
        all_count = book_queryset.count()
    
        # 5.求数据到底需要多少页才能展示完
        page_num, more = divmod(all_count,per_page_num)  # divmod(100,10)
        if more:
            page_num += 1
        # page_num就觉得了 需要多少个页码
        page_html = ''
        xxx = current_page  # xxx就是用户点击的数字
        if current_page < 6:
             current_page = 6
        for i in range(current_page-5,current_page+6):
            if xxx == i:
                page_html += '
  • %s
  • '
    %(i,i) else: page_html += '
  • %s
  • '
    % (i, i) book_queryset = book_queryset[start_page:end_page] return render(request,'index.html',locals()) """ per_page_num = 10 current_page start_page end_page 1 0 10 2 10 20 3 20 30 4 30 40 per_page_num = 5 current_page start_page end_page 1 0 5 2 5 10 3 10 15 4 15 20 start_page = (current_page - 1) * per_page_num end_page = current_page * per_page_num """
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46
    • 47
    • 48
    • 49
    • 50
    • 51
    • 52
    • 53
    • 54
    • 55
    • 56
    • 57
    • 58
    • 59
    • 60
    • 61
    • 62
    • 63
    • 64
    • 65
    • 66

    自定义分页器

    分页器组件

    class Pagination(object):
    
    def __init__(self, current_page, all_count, per_page_num=10, pager_count=11):
        """
        封装分页相关数据
        :param current_page: 当前页
        :param all_count:    数据库中的数据总条数
        :param per_page_num: 每页显示的数据条数
        :param pager_count:  最多显示的页码个数
    
        用法:
        queryset = model.objects.all()
        page_obj = Pagination(current_page,all_count)
        page_data = queryset[page_obj.start:page_obj.end]
        获取数据用page_data而不再使用原始的queryset
        获取前端分页样式用page_obj.page_html
        """
        try:
            current_page = int(current_page)
        except Exception as e:
            current_page = 1
    
        if current_page < 1:
            current_page = 1
    
        self.current_page = current_page
    
        self.all_count = all_count
        self.per_page_num = per_page_num
    
        # 总页码
        all_pager, tmp = divmod(all_count, per_page_num)
        if tmp:
            all_pager += 1
        self.all_pager = all_pager
    
        self.pager_count = pager_count
        self.pager_count_half = int((pager_count - 1) / 2)
    
    @property
    def start(self):
        return (self.current_page - 1) * self.per_page_num
    
    @property
    def end(self):
        return self.current_page * self.per_page_num
    
    def page_html(self):
        # 如果总页码 < 11个:
        if self.all_pager <= self.pager_count:
            pager_start = 1
            pager_end = self.all_pager + 1
        # 总页码  > 11
        else:
            # 当前页如果<=页面上最多显示11/2个页码
            if self.current_page <= self.pager_count_half:
                pager_start = 1
                pager_end = self.pager_count + 1
    
            # 当前页大于5
            else:
                # 页码翻到最后
                if (self.current_page + self.pager_count_half) > self.all_pager:
                    pager_end = self.all_pager + 1
                    pager_start = self.all_pager - self.pager_count + 1
                else:
                    pager_start = self.current_page - self.pager_count_half
                    pager_end = self.current_page + self.pager_count_half + 1
    
        page_html_list = []
        # 添加前面的nav和ul标签
        page_html_list.append('''
                    
                                           
''') return ''.join(page_html_list)
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31
  • 32
  • 33
  • 34
  • 35
  • 36
  • 37
  • 38
  • 39
  • 40
  • 41
  • 42
  • 43
  • 44
  • 45
  • 46
  • 47
  • 48
  • 49
  • 50
  • 51
  • 52
  • 53
  • 54
  • 55
  • 56
  • 57
  • 58
  • 59
  • 60
  • 61
  • 62
  • 63
  • 64
  • 65
  • 66
  • 67
  • 68
  • 69
  • 70
  • 71
  • 72
  • 73
  • 74
  • 75
  • 76
  • 77
  • 78
  • 79
  • 80
  • 81
  • 82
  • 83
  • 84
  • 85
  • 86
  • 87
  • 88
  • 89
  • 90
  • 91
  • 92
  • 93
  • 94
  • 95
  • 96
  • 97
  • 98
  • 99
  • 100
  • 101
  • 102
  • 103
  • 104
  • 105
  • 106

后端代码使用

from app01.utils.mypage import Pagination
# 使用封装好的分页器代码
def login(request):
    book_queryset = models.Book.objects.all()  # 先得到书的所有数据对象
    # 获取用户想要访问的页码数,没有page参数,就默认展示第一页
    current_page = request.GET.get('page',1)   # 获取当前页
    all_count = book_queryset.count()   # 获取数据的总条数
    # 1.实例化产生对象
    page_obj = Pagination(current_page=current_page,all_count=all_count)
    # 2.对真实数据进行切片操作
    page_queryset = book_queryset[page_obj.start:page_obj.end]
    return render(request,'login.html',locals())
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12

前端代码显示

<body>

{% for book_obj in page_queryset %}
    <p>{{ book_obj.title }}p>
{% endfor %}
{{ page_obj.page_html|safe }}

body>
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8

form组件

编写一个校验用户名和密码是否合法的功能

  • 前端需要自己编写获取用户数据的各种标签
  • 前端需要自己想方设法的展示错误的提示信息
  • 后端需要自己想方设法的编写校验代码(很多if判断)

注意:

校验数据通常是前后端都有校验
但是前端校验可有可无 哪怕再牛逼
后端也必须要有校验 反正一句话 前端可有不校验 后端必须校验!!!

功能实现:

1.搭建前端页面 >>> 渲染页面
2.获取前端用户提交的数据校验 >>> 校验数据
3.对数据的校验的结果 展示到前端页面给用户查看 >>> 展示错误信息

forms组件能够自动帮你完成三件事:

  • 渲染页面
  • 校验数据
  • 展示信息

forms组件基本用法

首先要先写一个类

from django import forms

class MyRegForm(forms.Form):
	username = forms.CharField(min_length=3,max_length=8)
	password = forms.CharField(min_length=3,max_length=8)
	email = forms.EmailField()
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6

校验数据

在pycharm下面的Python Console窗口中进行校验测试,会自动搭建测试环境

测试代码:

from app01 import views
# 1.给自定义的类传一个字典
obj = views.MyRegForm({'username':'jason','password':'12','email':'123'})

# 2.判断数据是否全部合法
obj.is_valid()  # 只有数据全部符合要求才会是True
结果: False
    
# 3.查看符合校验规则的数据
obj.cleaned_data
结果: {'username': 'jason'}
    
# 4.查看不符合条件的数据以及不符合的原因是什么
obj.errors
结果: 
{
	'password': ['Ensure this value has at least 3 characters (it has 2).'],
	'email': ['Enter a valid email address.']
}
            
# 5.校验数据的时候 默认情况下类里面所有的字段都必须传值
obj = views.MyRegForm({'username':'jason','password':'123'})
obj.is_valid()
结果: False
obj.errors
结果: {'email': ['This field is required.']}  # 没有给表中的email字段传值,就无法通过校验
    
# 6.默认情况下可以多传 但是绝对不能少传
obj = views.MyRegForm({'username':'jason','password':'1233','email':'123@qq.com','xxx':'ooo'})
obj.is_valid()
结果: True
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31
form.lable是在前端取得字段名字

form是前端输入框

clearned_data:这是拿到所有的数据

add_error:这是给字段加一个报错信息

form_obj.errors:这是查找不符合规范的数据

在form表单标签中加一个参数novalidate表示的是让浏览器不做校验

initial:让输入框中默认填充一个数据

required:是否参与数据的校验,True则是参与,Flase则是不参与

widget:主要是给添加样式的渲染,就相当于是给字段做样式

instance:用来修改数据对象
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19

渲染页面

注意事项:

​1. forms组件在帮你渲染页面的时候 只会渲染获取用户输入(输入,选择,下拉框…)的标签 提交按钮需要你手动添加
​ 2. input框的label注释 不指定的情况下 默认用的类中字段的首字母大写

三种渲染前端页面的方式

后端代码:

from django import forms

class MyRegForm(forms.Form):
	username = forms.CharField(min_length=3,max_length=8,label='用户名')
	password = forms.CharField(min_length=3,max_length=8,label='密码')
	email = forms.EmailField(label='邮箱')
    
def formmm(request):
    # 1.生成一个空的对象
    form_obj = MyRegForm()
    if request.method == 'POST':
        # 2.获取用户提交的数据
        # print(request.POST)  # request.POST  其实也可以看成是一个字典
        # 3.借助于form组件帮助我们校验
        form_obj = MyRegForm(request.POST)  # 由于request.POST其实就是一个大字典 所以直接当做参数传入即可  # 注意:这个form_obj对象名必须跟上面的form_obj对象名一致
        # 4.判断用户输入的数据是否符合校验规则
        if form_obj.is_valid():
            return HttpResponse('上传成功!!')
    return render(request,'formmm.html',locals())
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19

第一种渲染页面的方式(封装程度太高,标签样式及参数不方便调整,可扩展性差,一般只用于本地测试 不推荐使用)

<p>
{{ form_obj.as_p }}  
{{ form_obj.as_ul }}
{{ form_obj.as_table }}    
p>
  • 1
  • 2
  • 3
  • 4
  • 5

第二种渲染页面的方式:扩展性较高,但不足之处在于需要手写的代码量比较多(不推荐使用)

<p>{{ form_obj.username.label }}{{ form_obj.username }}p>
<p>{{ form_obj.password.label }}{{ form_obj.password }}p>
<p>{{ form_obj.email.label }}{{ form_obj.email }}p>
  • 1
  • 2
  • 3

第三种渲染前端页面的方式:代码量比较少,可扩展性都很高(推荐使用)

<p>
{% for foo in form_obj %}
    <P>{{ foo.label }}{{ foo }}P>
{% endfor %}
p>
  • 1
  • 2
  • 3
  • 4
  • 5

想要input框前的名字是中文,在后端的字段中直接加参数label=‘用户名’

错误信息的展示

补充:

取消前端校验功能
校验数据的时候可以前后端都校验 做一个双重的校验,但是前端的校验可有可无,而后端的校验则必须要有,因为前端的校验可以通过爬虫直接避开。
前端取消浏览器校验功能:form标签添加novalidate属性即可:

<form action="" method='post' novalidate>form>
  • 1

展示错误信息
展示错误信息:用后端传过来的对象.errors.0

form action="" method="post" novalidate>
    {% for foo in form_obj %}
    <p>
        {{ foo.label }}:{{ foo }}   
        <span style="color: red">{{ foo.errors.0 }}span>   
    p>
    {% endfor %}
    <input type="submit">
form>
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9

上述的方法展示出来的错误信息时英文,那怎么把它变成中文显示呢,来看以下代码:

from django import forms

class MyRegForm(forms.Form):
	username = forms.CharField(min_length=3,max_length=8,label='用户名',
                              # 指定error_messages参数来把错误信息用中文展示出来
							error_messages={    
								'min_length':'用户名最短三位',  
								'max_length':'用户名最长八位',
								'required':'用户名不能为空'
							},initial='我是初始值'  # 这个参数是给input框设置初始值
							)

	password = forms.CharField(min_length=3,max_length=8,label='密码',
							error_messages={
								'min_length':'密码最短三位',
								'max_length':'密码最长八位',
								'required':'密码不能为空'
							})

	email = forms.EmailField(label='邮箱',error_messages={
								'required':'邮箱不能为空',
								'invalid':'邮箱格式不正确'
							},required=False)   # 把required参数指定为False,表示这个字段的参数可以不传,如果传了的话也依然还是会校验的。
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23

我们也可以在settings中去修改配置

from django.conf import global_settings
LANGUAGE_CODE = 'en-us'
  • 1
  • 2

forms组件钩子函数

当你需要对某一个字段数据进行额外的一系列校验,可以考虑使用钩子函数
钩子函数是forms组件暴露给用户,可以自定义的校验规则
必须通过字段本身之前的校验规则,才会进行钩子函数的校验。

用法: 在自定义的form类中书写方法即可

局部钩子

针对单个字段的,使用局部钩子,最后要返回使用的局部字段

# 局部钩子(针对某一个字段做额外的校验)   校验用户名中不能包含jason一旦包含 提示
def clean_username(self):
	username = self.cleaned_data.get('username')
	if 'jason' in username:
		# 给username字段下面提示错误信息
		self.add_error('username','jason已存在')
	return username
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7

全局钩子

针对多个字段的校验,使用全局钩子,eg:校验两次密码是否一致

def clean(self):
	password = self.cleaned_data.get('password')
	confirm_password = self.cleaned_data.get('confirm_password')
	if not password == confirm_password:
		self.add_error('confirm_password','两次密码不一致')
	return self.cleaned_data
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6

forms组件字段类型及参数

forms组件字段类型,多注意:CharField、IntegerField、ChoiceField、EmailField、 DateField、TimeField、DateTimeField、FileField(文件上传)、ImageField(图像上传)

各个参数的说明:

  • min_value 最小值

  • max_value 最大值

  • required: 控制该字段是否必填

  • invalid: 格式不合法

  • max_length: 限制要校验字段的最大长度

  • min_length: 限制要校验字段的最小长度

  • initial:默认值

  • error_messages: 控制错误信息的值, 比如max_length校验失败时, 在errors字典中 ErrorDict : {“校验错误的字段”:[“错误信息”,]}会有一个’‘max_length’':[‘太长’] 这样一个信息,value的值是一个列表,是因为在校验的时候可以设置多个校验限制

  • validators 正则校验器

    from django.core.validators import RegexValidator
      phone = forms.CharField(
            validators=[
                        RegexValidator(r'^[0-9]+$', '请输入数字'),
                        RegexValidator(r'^159[0-9]+$', '数字必须以159开头')],
        )
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
  • choices
    选择类型的标签内部对应关系
    可以直接编写 也可以从数据库中获取

    hobby = forms.MultipleChoiceField(
        choices=(
        	(1, "篮球"), 
        	(2, "足球"),
            (3, "双色球"),
            )
     )
    def __init__(self, *args, **kwargs):
        super(MyForm,self).__init__(*args, **kwargs)
        self.fields['hobby'].choices = models.Classes.objects.all().values_list('id','caption')
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
  • widget
    为标签引入css样式

    详解widget:
    导入:from django.forms import widgets

    wid_01=widgets.TextInput(attrs={"class":"form-control"})
    wid_02=widgets.PasswordInput(attrs={"class":"form-control"})
    
    • 1
    • 2

其他字段了解知识点

# 单选的radio框
gender = forms.ChoiceField(
	choices=((1, "男"), (2, "女"), (3, "保密")),
	label="性别",
	initial=3,
	widget=forms.widgets.RadioSelect()
)

# 单选select框
hobby = forms.ChoiceField(
	choices=((1, "篮球"), (2, "足球"), (3, "双色球"),),
	label="爱好",
	initial=3,
	widget=forms.widgets.Select()
)

# 多选的select框
hobby1 = forms.MultipleChoiceField(
	choices=((1, "篮球"), (2, "足球"), (3, "双色球"),),
	label="爱好",
	initial=[1, 3],
	widget=forms.widgets.SelectMultiple()
)

# 单选的checkbox框
keep = forms.ChoiceField(
	label="是否记住密码",
	initial="checked",
	widget=forms.widgets.CheckboxInput()
)

# 多选的checkbox框
hobby2 = forms.MultipleChoiceField(
	choices=((1, "篮球"), (2, "足球"), (3, "双色球"),),
	label="爱好",
	initial=[1, 3],
	widget=forms.widgets.CheckboxSelectMultiple()
)
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31
  • 32
  • 33
  • 34
  • 35
  • 36
  • 37
  • 38

ModelForm

什么是ModelFrom
通常在Django项目中,我们编写的大部分都是与Django 的模型紧密映射的表单。

如果我们想通过form组件来添加和编辑书籍信息到这个模型,这种情况下,在form组件中重新定义模型中所有的字段,显得重复冗余。

基于这个原因,Django中提供了一个辅助类让我们可以通过Django的model模型来创建Form组件,这个类就是ModelForm。

ModelForm就是form和model的组合,会根据你model模型中有的字段自动转换成form字段,同样也可以根据form来生成标签。

ModelForm的简单使用

class MyUser(forms.ModelForm):
    class Meta:
        model = models.User  # 指定关联的表
        fields = '__all__'  # 所有的字段全部生成对应的forms字段
        labels = {
            'name': '用户名',
            'age': '年龄',
            'addr': '地址',
            'email': '邮箱'
        }
        widgets = {
            "name": forms.widgets.TextInput(attrs={"class": "form-control"}),
        }


def reg(request):
    form_obj = MyUser()
    if request.method == 'POST':
        form_obj = MyUser(request.POST)
        if form_obj.is_valid():
            # form_obj.save()  # 新增数据
            edit_obj = models.User.objects.filter(pk=5).first()
            form_obj = MyUser(request.POST, instance=edit_obj)  # 是新增还是保存就取决于有没有instance参数
            form_obj.save()  # 编辑数据
    return render(request, 'reg.html', locals())
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25

Form组件和ModelForm的区别

ModelForm是Django Model.py和Form组件的结合体,可以简单/快速使用 Form验证和数据库操作功能,但不如Form组件灵活,如果在使用Django做web开发过程中验证的数据和数据库字段相关(可以对表进行增、删、改操,注意 Many to many字段,也可以级联操作第3张关系表;),建议优先使用ModelForm,用起来更方便些,但是在使用ModelForm的时候慎用fields=‘all’,获取数据库所有字段势必造成性能损耗

  • 相关阅读:
    Go结构体深度探索:从基础到应用
    爆肝整理 JVM 十大模块知识点总结,不信你还不懂
    Vue3与Vue2:前端进化论,从性能到体验的全面革新
    基于RabbitMQ的模拟消息队列之四——内存管理
    HZOJ-322: 程序自动分析
    汽车纵染压制专用液压机比例阀放大器
    Android Studio :can not resolve symbol ‘List‘
    SpringBoot 接口访问频率限制
    iOS持续集成
    蓝桥等考Python组别十六级005
  • 原文地址:https://blog.csdn.net/lzq78998/article/details/126773141