使用Django Form解决表单数据无法动态刷新的两种方法


Posted in Python onJuly 14, 2017

一、无法动态更新数据的实例

1. 如下,数据库中创建了班级表和教师表,两张表的对应关系为“多对多”

from django.db import models
class Classes(models.Model):
  title = models.CharField(max_length=32)
class Teacher(models.Model):
  name = models.CharField(max_length=32)
  t2c = models.ManyToManyField(Classes)

2. views的功能有查看、添加、编辑班级或教师表

from django.shortcuts import render, redirect
from school import models
from django.forms import Form, fields, widgets
#班级表单验证规则
class ClsForm(Form):
  title = fields.RegexField('老男孩', error_messages={'invalid': '请以 老男孩 开头'})
#教师表单验证规则
class TchForm(Form):
  name = fields.CharField(max_length=16, min_length=2, widget=widgets.TextInput(attrs={'class': 'form-control'}))
  t2c = fields.MultipleChoiceField(
    choices=models.Classes.objects.values_list('id', 'title'),
    widget=widgets.SelectMultiple(attrs={'class': 'form-control'})
  )
#查看班级列表
def classes(request):
  cls_list = models.Classes.objects.all()
  return render(request, 'classes.html', {'cls_list': cls_list})
#查看教师列表
def teachers(request):
  tch_list = models.Teacher.objects.all()
  return render(request, 'teachers.html', {'tch_list': tch_list})
#添加班级
def add_cls(request):
  if request.method == 'GET':
    obj = ClsForm()
    return render(request, 'add_classes.html', {'obj': obj})
  else:
    obj = ClsForm(request.POST)
    if obj.is_valid():
      models.Classes.objects.create(**obj.cleaned_data)
      return redirect('/school/classes/')
    return render(request, 'add_classes.html', {'obj': obj})
#添加教师
def add_tch(request):
  if request.method == 'GET':
    obj = TchForm()
    return render(request, 'add_teacher.html', {'obj': obj})
  else:
    obj = TchForm(request.POST)
    if obj.is_valid():
      tc = obj.cleaned_data.pop('t2c')  # 获取教师任课班级id
      tch_obj = models.Teacher.objects.create(name=obj.cleaned_data['name']) # 添加新教师姓名
      tch_obj.t2c.add(*tc)  # 添加新教师任课班级
      return redirect('/school/teachers/')
    return render(request, 'add_teacher.html', {'obj': obj})
#编辑班级
def edit_cls(request, nid):
  if request.method == 'GET':
    cls = models.Classes.objects.filter(id=nid).first()
    obj = ClsForm(initial={'title': cls.title})
    return render(request, 'edit_classes.html', {'nid': nid, 'obj': obj})
  else:
    obj = ClsForm(request.POST)
    if obj.is_valid():
      models.Classes.objects.filter(id=nid).update(**obj.cleaned_data)
      return redirect('/school/classes/')
    return render(request, 'edit_classes.html', {'nid': nid, 'obj': obj})
#编辑教师
def edit_tch(request, nid):
  if request.method == 'GET':
    tch = models.Teacher.objects.filter(id=nid).first()
    v = tch.t2c.values_list('id')  # 获取该教师任课班级的id
    cls_ids = list(zip(*v))[0] if list(zip(*v)) else []   # 格式化为列表类型
    obj = TchForm(initial={'name': tch.name, 't2c': cls_ids})
    return render(request, 'edit_teacher.html', {'nid': nid, 'obj': obj})
  else:
    obj = TchForm(request.POST)
    if obj.is_valid():
      tc = obj.cleaned_data.pop('t2c')  # 获取修改后的任课班级id
      # models.Teacher.objects.filter(id=nid).update(name=obj.cleaned_data['name'])   # 更新教师姓名方法1
      tch_obj = models.Teacher.objects.filter(id=nid).first()
      tch_obj.name = obj.cleaned_data['name']   # 更新教师姓名方法2
      tch_obj.save()
      tch_obj.t2c.set(tc)
      return redirect('/school/teachers/')
    return render(request, 'edit_teacher.html', {'nid': nid, 'obj': obj})

3. html文件

classe:

<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <title>班级列表</title>
  <link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css" rel="external nofollow" rel="external nofollow" rel="external nofollow" rel="external nofollow" >
</head>
<body>
<div style="width: 700px; margin: 30px auto">
  <a class="btn btn-default" href="/school/add_cls/" rel="external nofollow" style="margin-bottom: 10px">添加班级</a>
    <table class="table table-hover" border="1" cellspacing="0">
      <thead>
      <tr>
        <th>ID</th>
        <th>班级</th>
        <th>操作</th>
      </tr>
      </thead>
      <tbody>
        {% for item in cls_list %}
          <tr>
            <td>{{ item.id }}</td>
            <td>{{ item.title }}</td>
            <td><a href="/school/edit_cls/{{ item.id }}" rel="external nofollow" >编辑</a></td>
          </tr>
        {% endfor %}
      </tbody>
    </table>
</div>
</body>
</html>

<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <title>添加班级</title>
</head>
<body>
<h1>添加班级</h1>
<form action="/school/add_cls/" method="post">
  {% csrf_token %}
  <p>
    {{ obj.title }} {{ obj.errors.title.0 }}
  </p>
  <input type="submit" value="提交">
</form>
</body>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <title>编辑班级</title>
</head>
<body>
<h1>编辑班级</h1>
<form action="/school/edit_cls/{{ nid }}" method="post">
  {% csrf_token %}
  <p>
    {{ obj.title }} {{ obj.errors.title.0 }}
  </p>
  <input type="submit" value="提交">
</form>
</body>
</html>

 teachers:

<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <title>教师列表</title>
  <link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css" rel="external nofollow" rel="external nofollow" rel="external nofollow" rel="external nofollow" >
</head>
<body>
<div style="width: 700px; margin: 30px auto">
  <a class="btn btn-default" href="/school/add_tch/" rel="external nofollow" style="margin-bottom: 10px">添加教师</a>
    <table class="table table-hover" border="1" cellspacing="0">
      <thead>
      <tr>
        <th>ID</th>
        <th>姓名</th>
        <th>任教班级</th>
        <th>操作</th>
      </tr>
      </thead>
      <tbody>
        {% for item in tch_list %}
          <tr>
            <td>{{ item.id }}</td>
            <td>{{ item.name }}</td>
            <td>
              {% for row in item.t2c.all %}
                <span style="border: solid gray 1px">{{ row.title }}</span>
              {% endfor %}
            </td>
            <td><a href="/school/edit_tch/{{ item.id }}" rel="external nofollow" >编辑</a></td>
          </tr>
        {% endfor %}
      </tbody>
    </table>
</div>
</body>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <title>添加教师</title>
  <link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css" rel="external nofollow" rel="external nofollow" rel="external nofollow" rel="external nofollow" >
</head>
<body>
<div style="width: 500px; margin: 20px auto">
<h3 style="width: 100px; margin: 10px auto">添加教师</h3>
  <form class="form-horizontal" action="/school/add_tch/" method="post">
    {% csrf_token %}
 <div class="form-group">
  <label class="col-sm-2 control-label">姓名</label>
  <div class="col-sm-10">
   {{ obj.name }} {{ obj.errors.name.0 }}
  </div>
 </div>
 <div class="form-group">
  <label class="col-sm-2 control-label">班级</label>
  <div class="col-sm-10">
      {{ obj.t2c }} {{ obj.errors.t2c.0 }}
  </div>
 </div>
 <div class="form-group">
  <div class="col-sm-offset-2 col-sm-10">
   <input type="submit" class="btn btn-default" value="提交"></input>
  </div>
 </div>
</form>
</div>
</body>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <title>编辑教师</title>
  <link rel="stylesheet" href="/static/plugins/bootstrap-3.3.7-dist/css/bootstrap.css" rel="external nofollow" rel="external nofollow" rel="external nofollow" rel="external nofollow" >
</head>
<body>
<div style="width: 500px; margin: 20px auto">
<h3 style="width: 100px; margin: 10px auto">编辑教师</h3>
  <form class="form-horizontal" action="/school/edit_tch/{{ nid }}" method="post">
    {% csrf_token %}
 <div class="form-group">
  <label class="col-sm-2 control-label">姓名</label>
  <div class="col-sm-10">
   {{ obj.name }} {{ obj.errors.name.0 }}
  </div>
 </div>
 <div class="form-group">
  <label class="col-sm-2 control-label">班级</label>
  <div class="col-sm-10">
      {{ obj.t2c }} {{ obj.errors.t2c.0 }}
  </div>
 </div>
 <div class="form-group">
  <div class="col-sm-offset-2 col-sm-10">
   <input type="submit" class="btn btn-default" value="提交"></input>
  </div>
 </div>
</form>
</div>
</body>
</html>

4. 数据不能同步

在班级表中新增一条记录

使用Django Form解决表单数据无法动态刷新的两种方法

在教师表中新添加一名教师,发现无法获取上一步新增记录

使用Django Form解决表单数据无法动态刷新的两种方法

5. 原因分析

在添加教师时,请求方式为GET,html标签由Form组件自动生成,其中的数据也是由Form组件提供

使用Django Form解决表单数据无法动态刷新的两种方法

而TchForm作为一个类,在project运行起来后,其中的name和t2c字段都是类的变量,其只执行一次,就将数据保存在内存中,无论之后生成多少个TchForm对象,其中的字段的值都不变。

所以会出现教师表中的班级多选列表无法动态更新。

使用Django Form解决表单数据无法动态刷新的两种方法

二、解决上述bug的方法

每次更新数据库后重启project,让Form类重新初始化,能够让数据更新,但这显然是不切实际的。

知道了bug的根源,我们可以尝试让每次生成TchForm对象时就更新数据:

方法一

1. 利用 __init__将数据库操作放入对象变量中

 修改TchForm类

#教师表单验证规则
class TchForm(Form):
  name = fields.CharField(max_length=16, min_length=2, widget=widgets.TextInput(attrs={'class': 'form-control'}))
  t2c = fields.MultipleChoiceField(
    # choices=models.Classes.objects.values_list('id', 'title'),
    widget=widgets.SelectMultiple(attrs={'class': 'form-control'})
  )
  def __init__(self, *args, **kwargs):  # 自定义__init__
    super(TchForm, self).__init__(*args, **kwargs) # 调用父类的__init__
    self.fields['t2c'].choices = models.Classes.objects.values_list('id', 'title')  # 为字段t2c的choices赋值

2. 验证

 在班级表中新增一条记录

使用Django Form解决表单数据无法动态刷新的两种方法

 再在教师表中添加

使用Django Form解决表单数据无法动态刷新的两种方法

方法二

1. 利用django.forms.models模块中的queryset连接数据库

 修改TchForm类

#教师表单验证规则
from django.forms import models as form_models # 导入django.forms.models
class TchForm(Form):
  name = fields.CharField(max_length=16, min_length=2, widget=widgets.TextInput(attrs={'class': 'form-control'}))
  #重新定义字段
  t2c = form_models.ModelMultipleChoiceField(
    # choices=models.Classes.objects.values_list('id', 'title'),
    queryset=models.Classes.objects.all(), # 利用queryset连接数据库,只能连接object类型
    widget=widgets.SelectMultiple(attrs={'class': 'form-control'})
  )

2. 验证

由于TchForm类中,queryset只能连接object类型,所以,需要设置models.py中的Classes类的返回值。

 设置models.py中的Classes类的返回值

class Classes(models.Model):
  title = models.CharField(max_length=32)
   def __str__(self):
     return self.title

在班级表中新增一条记录

使用Django Form解决表单数据无法动态刷新的两种方法

再在教师表中添加

使用Django Form解决表单数据无法动态刷新的两种方法

以上所述是小编给大家介绍的使用Django Form解决表单数据无法动态刷新的两种方法,希望对大家有所帮助,如果大家有任何疑问请给我留言,小编会及时回复大家的。在此也非常感谢大家对三水点靠木网站的支持!

Python 相关文章推荐
python中的函数用法入门教程
Sep 02 Python
Python标准库defaultdict模块使用示例
Apr 28 Python
详解Python核心编程中的浅拷贝与深拷贝
Jan 07 Python
python机器学习理论与实战(一)K近邻法
Jan 28 Python
python 通过字符串调用对象属性或方法的实例讲解
Apr 21 Python
python定时关机小脚本
Jun 20 Python
python实现创建新列表和新字典,并使元素及键值对全部变成小写
Jan 15 Python
如何将你的应用迁移到Python3的三个步骤
Dec 22 Python
django xadmin中form_layout添加字段显示方式
Mar 30 Python
PyQt5连接MySQL及QMYSQL driver not loaded错误解决
Apr 29 Python
浅谈opencv自动光学检测、目标分割和检测(连通区域和findContours)
Jun 04 Python
Python 操作pdf pdfplumber读取PDF写入Exce
Aug 14 Python
Python md5与sha1加密算法用法分析
Jul 14 #Python
Python自动化开发学习之三级菜单制作
Jul 14 #Python
python实现杨辉三角思路
Jul 14 #Python
Django 添加静态文件的两种实现方法(必看篇)
Jul 14 #Python
python 实现上传图片并预览的3种方法(推荐)
Jul 14 #Python
Python加密方法小结【md5,base64,sha1】
Jul 13 #Python
利用Python实现Windows下的鼠标键盘模拟的实例代码
Jul 13 #Python
You might like
php实现与erlang的二进制通讯实例解析
2014/07/23 PHP
cookie丢失问题(认证失效) Authentication (用户验证信息)也会丢失
2009/06/04 Javascript
JQuery 构建客户/服务分离的链接模型中Table中的排序分析
2010/01/22 Javascript
jquery1.4 教程二 ajax方法的改进
2010/02/25 Javascript
asp.net+jquery滚动滚动条加载数据的下拉控件
2010/06/25 Javascript
使用 JScript 创建 .exe 或 .dll 文件的方法
2011/07/13 Javascript
JavaScript取得鼠标绝对位置程序代码介绍
2012/09/16 Javascript
关于Jquery操作Cookie取值错误的解决方法
2013/08/26 Javascript
raphael.js绘制中国地图 地图绘制方法
2014/02/12 Javascript
jQuery中的height innerHeight outerHeight区别示例介绍
2014/06/15 Javascript
Javascript动画的实现原理浅析
2015/03/02 Javascript
JavaScript截断字符串的方法
2015/07/15 Javascript
jQuery插件开发精品教程(让你的jQuery更上一个台阶)
2015/11/07 Javascript
jQuery实现验证码功能
2017/03/17 Javascript
ES6正则的扩展实例详解
2017/04/25 Javascript
React-Native中props具体使用详解
2017/09/04 Javascript
VueJs组件之父子通讯的方式
2018/05/06 Javascript
vue mounted 调用两次的完美解决办法
2018/10/29 Javascript
微信小程序在ios下Echarts图表不能滑动的问题解决
2019/07/10 Javascript
Vue js with语句原理及用法解析
2020/09/03 Javascript
浅析Python 实现一个自动化翻译和替换的工具
2019/04/14 Python
Python实现个人微信号自动监控告警的示例
2019/07/03 Python
Python单元测试模块doctest的具体使用
2020/02/10 Python
python中文分词库jieba使用方法详解
2020/02/11 Python
Django数据库操作之save与update的使用
2020/04/01 Python
Xadmin+rules实现多选行权限方式(级联效果)
2020/04/07 Python
浅谈numpy中np.array()与np.asarray的区别以及.tolist
2020/06/03 Python
Street One瑞士:德国现代时装公司
2019/10/09 全球购物
新加坡一家在线男士皮具品牌:Faire Leather Co.
2019/12/01 全球购物
施华洛世奇巴西官网:SWAROVSKI巴西
2019/12/03 全球购物
.NET是怎么支持多种语言的
2015/02/24 面试题
新锐科技Java程序员面试题
2016/07/25 面试题
中专毕业生自我鉴定范文
2013/11/09 职场文书
父亲生日宴会答谢词
2014/01/10 职场文书
2015年试用期工作总结
2014/12/12 职场文书
网络安全倡议书(3篇)
2019/09/18 职场文书