Python之路:Django进阶篇

Model

django为使用一种新的方式,即:关系对象映射(Object Relational Mapping,简称ORM)。
  PHP:activerecord
  Java:Hibernate
  C#:Entity Framework
django中遵循 Code Frist 的原则,即:根据代码中定义的类来自动生成数据库表。

一、创建表

1、基本结构
from django.db import models
# Create your models here.
class UserInfo(models.Model):

    # dango 会自动创建id,主键自增
    # 创建下面四列,字符串类型,指定长度
    username = models.CharField(max_length=32)
    password = models.CharField(max_length=60)
    phone_num = models.CharField(max_length=64)
    email = models.EmailField(max_length=20, null=True)
字段
 	AutoField(Field)
        - int自增列,必须填入参数 primary_key=True

    BigAutoField(AutoField)
        - bigint自增列,必须填入参数 primary_key=True

        注:当model中如果没有自增列,则自动会创建一个列名为id的列
        from django.db import models

        class UserInfo(models.Model):
            # 自动创建一个列名为id的且为自增的整数列
            username = models.CharField(max_length=32)

        class Group(models.Model):
            # 自定义自增列
            nid = models.AutoField(primary_key=True)
            name = models.CharField(max_length=32)

    SmallIntegerField(IntegerField):
        - 小整数 -32768 ~ 32767

    PositiveSmallIntegerField(PositiveIntegerRelDbTypeMixin, IntegerField)
        - 正小整数 0 ~ 32767
    IntegerField(Field)
        - 整数列(有符号的) -2147483648 ~ 2147483647

    PositiveIntegerField(PositiveIntegerRelDbTypeMixin, IntegerField)
        - 正整数 0 ~ 2147483647

    BigIntegerField(IntegerField):
        - 长整型(有符号的) -9223372036854775808 ~ 9223372036854775807

    自定义无符号整数字段

        class UnsignedIntegerField(models.IntegerField):
            def db_type(self, connection):
                return 'integer UNSIGNED'

        PS: 返回值为字段在数据库中的属性,Django字段默认的值为:
            'AutoField': 'integer AUTO_INCREMENT',
            'BigAutoField': 'bigint AUTO_INCREMENT',
            'BinaryField': 'longblob',
            'BooleanField': 'bool',
            'CharField': 'varchar(%(max_length)s)',
            'CommaSeparatedIntegerField': 'varchar(%(max_length)s)',
            'DateField': 'date',
            'DateTimeField': 'datetime',
            'DecimalField': 'numeric(%(max_digits)s, %(decimal_places)s)',
            'DurationField': 'bigint',
            'FileField': 'varchar(%(max_length)s)',
            'FilePathField': 'varchar(%(max_length)s)',
            'FloatField': 'double precision',
            'IntegerField': 'integer',
            'BigIntegerField': 'bigint',
            'IPAddressField': 'char(15)',
            'GenericIPAddressField': 'char(39)',
            'NullBooleanField': 'bool',
            'OneToOneField': 'integer',
            'PositiveIntegerField': 'integer UNSIGNED',
            'PositiveSmallIntegerField': 'smallint UNSIGNED',
            'SlugField': 'varchar(%(max_length)s)',
            'SmallIntegerField': 'smallint',
            'TextField': 'longtext',
            'TimeField': 'time',
            'UUIDField': 'char(32)',

    BooleanField(Field)
        - 布尔值类型

    NullBooleanField(Field):
        - 可以为空的布尔值

    CharField(Field)
        - 字符类型
        - 必须提供max_length参数, max_length表示字符长度

    TextField(Field)
        - 文本类型

    EmailField(CharField):
        - 字符串类型,Django Admin以及ModelForm中提供验证机制

    IPAddressField(Field)
        - 字符串类型,Django Admin以及ModelForm中提供验证 IPV4 机制

    GenericIPAddressField(Field)
        - 字符串类型,Django Admin以及ModelForm中提供验证 Ipv4和Ipv6
        - 参数:
            protocol,用于指定Ipv4或Ipv6, 'both',"ipv4","ipv6"
            unpack_ipv4, 如果指定为True,则输入::ffff:192.0.2.1时候,可解析为192.0.2.1,开启刺功能,需要protocol="both"

    URLField(CharField)
        - 字符串类型,Django Admin以及ModelForm中提供验证 URL

    SlugField(CharField)
        - 字符串类型,Django Admin以及ModelForm中提供验证支持 字母、数字、下划线、连接符(减号)

    CommaSeparatedIntegerField(CharField)
        - 字符串类型,格式必须为逗号分割的数字

    UUIDField(Field)
        - 字符串类型,Django Admin以及ModelForm中提供对UUID格式的验证

    FilePathField(Field)
        - 字符串,Django Admin以及ModelForm中提供读取文件夹下文件的功能
        - 参数:
                path,                      文件夹路径
                match=None,                正则匹配
                recursive=False,           递归下面的文件夹
                allow_files=True,          允许文件
                allow_folders=False,       允许文件夹

    FileField(Field)
        - 字符串,路径保存在数据库,文件上传到指定目录
        - 参数:
            upload_to = ""      上传文件的保存路径
            storage = None      存储组件,默认django.core.files.storage.FileSystemStorage

    ImageField(FileField)
        - 字符串,路径保存在数据库,文件上传到指定目录
        - 参数:
            upload_to = ""      上传文件的保存路径
            storage = None      存储组件,默认django.core.files.storage.FileSystemStorage
            width_field=None,   上传图片的高度保存的数据库字段名(字符串)
            height_field=None   上传图片的宽度保存的数据库字段名(字符串)

    DateTimeField(DateField)
        - 日期+时间格式 YYYY-MM-DD HH:MM[:ss[.uuuuuu]][TZ]

    DateField(DateTimeCheckMixin, Field)
        - 日期格式      YYYY-MM-DD

    TimeField(DateTimeCheckMixin, Field)
        - 时间格式      HH:MM[:ss[.uuuuuu]]

    DurationField(Field)
        - 长整数,时间间隔,数据库中按照bigint存储,ORM中获取的值为datetime.timedelta类型

    FloatField(Field)
        - 浮点型

    DecimalField(Field)
        - 10进制小数
        - 参数:
            max_digits,小数总长度
            decimal_places,小数位长度

    BinaryField(Field)
        - 二进制类型
参数
null                数据库中字段是否可以为空
db_column           数据库中字段的列名
db_tablespace		
default             数据库中字段的默认值
primary_key         数据库中字段是否为主键
db_index            数据库中字段是否可以建立索引
unique              数据库中字段是否可以建立唯一索引
unique_for_date     数据库中字段【日期】部分是否可以建立唯一索引
unique_for_month    数据库中字段【月】部分是否可以建立唯一索引
unique_for_year     数据库中字段【年】部分是否可以建立唯一索引
auto_now_add		创建时,自动生成时间
auto_now			更新时,自动更新为当前时间,不过对更新的操作有条件限制
					    obj = models.UserGroup.objects.filter(uid=5).first()
					    obj.caption = "xiaomeng"
					    obj.save()
					    # 下面这种更新方式不会更新时间
					    # models.UserGroup.objects.create(caption='lishang')
					    
verbose_name        Admin中显示的字段名称
blank               Admin中是否允许用户输入为空
editable            Admin中是否可以编辑
help_text           Admin中该字段的提示信息
choices             Admin中显示选择框的内容,用不变动的数据放在内存中从而避免跨表操作
                    如:gf = models.IntegerField(choices=[(0, '何穗'),(1, '大表姐'),],default=1)

error_messages      自定义错误信息(字典类型),从而定制想要显示的错误信息;
                    字典健:null, blank, invalid, invalid_choice, unique, and unique_for_date
                    如:{'null': "不能为空.", 'invalid': '格式错误'}

validators          自定义错误验证(列表类型),从而定制想要的验证规则
                    from django.core.validators import RegexValidator
                    from django.core.validators import EmailValidator,URLValidator,DecimalValidator,\
                    MaxLengthValidator,MinLengthValidator,MaxValueValidator,MinValueValidator
                    如:
                        test = models.CharField(
                            max_length=32,
                            error_messages={
                                'c1': '优先错信息1',
                                'c2': '优先错信息2',
                                'c3': '优先错信息3',
                            },
                            validators=[
                                RegexValidator(regex='root_\d+', message='错误了', code='c1'),
                                RegexValidator(regex='root_112233\d+', message='又错误了', code='c2'),
                                EmailValidator(message='又错误了', code='c3'), ]
                        )
元信息
    class UserInfo(models.Model):
        nid = models.AutoField(primary_key=True)
        username = models.CharField(max_length=32)
        class Meta:
            # 数据库中生成的表名称 默认 app名称 + 下划线 + 类名
            db_table = "table_name"

            # 联合索引
            index_together = [
                ("pub_date", "deadline"),
            ]

            # 联合唯一索引
            unique_together = (("driver", "restaurant"),)

            # admin中显示的表名称
            verbose_name

            # verbose_name加s
            verbose_name_plural
        
    更多:https://docs.djangoproject.com/en/1.10/ref/models/options/
拓展知识
    1.触发Model中的验证和错误提示有两种方式:
        a. Django Admin中的错误信息会优先根据Admiin内部的ModelForm错误信息提示,如果都成功,才来检查Model的字段并显示指定错误信息
        b. 调用Model对象的 clean_fields 方法,如:
            # models.py
            class UserInfo(models.Model):
                nid = models.AutoField(primary_key=True)
                username = models.CharField(max_length=32)

                email = models.EmailField(error_messages={'invalid': '格式错了.'})

            # views.py
            def index(request):
                obj = models.UserInfo(username='11234', email='uu')
                try:
                    print(obj.clean_fields())
                except Exception as e:
                    print(e)
                return HttpResponse('ok')

           # Model的clean方法是一个钩子,可用于定制操作,如:上述的异常处理。

    2.Admin中修改错误提示
        # admin.py
        from django.contrib import admin
        from model_club import models
        from django import forms

        class UserInfoForm(forms.ModelForm):
            username = forms.CharField(error_messages={'required': '用户名不能为空.'})
            email = forms.EmailField(error_messages={'invalid': '邮箱格式错误.'})
            age = forms.IntegerField(initial=1, error_messages={'required': '请输入数值.', 'invalid': '年龄必须为数值.'})

            class Meta:
                model = models.UserInfo
                # fields = ('username',)
                fields = "__all__"

        class UserInfoAdmin(admin.ModelAdmin):
            form = UserInfoForm

        admin.site.register(models.UserInfo, UserInfoAdmin)
2、连表结构
  • 一对多:models.ForeignKey(其他表)
  • 多对多:models.ManyToManyField(其他表)
  • 一对一:models.OneToOneField(其他表)

应用场景:
一对多:当一张表中创建一行数据时,有一个单选的下拉框(可以被重复选择)
例如:创建用户信息时候,需要选择一个用户类型【普通用户】【金牌用户】【铂金用户】等。
多对多:在某表中创建一行数据是,有一个可以多选的下拉框
例如:创建用户信息,需要为用户指定多个爱好
一对一:在某表中创建一行数据时,有一个单选的下拉框(下拉框中的内容被用过一次就消失了
例如:原有含10列数据的一张表保存相关信息,经过一段时间之后,10列无法满足需求,需要为原来的表再添加5列数据
一对多:

一对多:
a、外键
b、表t1(a,b,c,d),其中t1.`a`关联表t2(e,f,g)中的e列,a显示为a_id,而a本身代指t2这个对象
c、models.t1.onject.create(a_id='1',b='lishang',...)
ForeignKey(ForeignObject) # ForeignObject(RelatedField)
    to,                         # 要进行关联的表名
    to_field=None,              # 要关联的表中的字段名称
    on_delete=None,             # 当删除关联表中的数据时,当前表与其关联的行的行为
                                    - models.CASCADE,删除关联数据,与之关联也删除
                                    - models.DO_NOTHING,删除关联数据,引发错误IntegrityError
                                    - models.PROTECT,删除关联数据,引发错误ProtectedError
                                    - models.SET_NULL,删除关联数据,与之关联的值设置为null(前提FK字段需要设置为可空)
                                    - models.SET_DEFAULT,删除关联数据,与之关联的值设置为默认值(前提FK字段需要设置默认值)
                                    - models.SET,删除关联数据,
                               a. 与之关联的值设置为指定值,设置:models.SET(值)
                               b. 与之关联的值设置为可执行对象的返回值,设置:models.SET(可执行对象)
                                   def func():
                                       return 10
                                   class MyModel(models.Model):
                                       user = models.ForeignKey(
                                           to="User",
                                           to_field="id"
                                           on_delete=models.SET(func),)
    related_name=None,          # 反向操作时,使用的字段名,用于代替 【表名_set】 如: obj.表名_set.all()
    related_query_name=None,    # 反向操作时,使用的连接前缀,用于替换【表名】 如: models.UserGroup.objects.filter(表名__字段名=1).values('表名__字段名')
    limit_choices_to=None,      # 在Admin或ModelForm中显示关联数据时,提供的条件:
                                # 如:
                                        - limit_choices_to={'nid__gt': 5}
                                        - limit_choices_to=lambda : {'nid__gt': 5}

                                        from django.db.models import Q
                                        - limit_choices_to=Q(nid__gt=10)
                                        - limit_choices_to=Q(nid=8) | Q(nid__gt=10)
                                        - limit_choices_to=lambda : Q(Q(nid=8) | Q(nid__gt=10)) & Q(caption='root')
    db_constraint=True          # 是否在数据库中创建外键约束
    parent_link=False           # 在Admin中是否显示关联数据

    OneToOneField(ForeignKey)
        to,                         # 要进行关联的表名
        to_field=None               # 要关联的表中的字段名称
        on_delete=None,             # 当删除关联表中的数据时,当前表与其关联的行的行为

                                    ###### 对于一对一 ######
                                    # 1. 一对一其实就是 一对多 + 唯一索引
                                    # 2.当两个类之间有继承关系时,默认会创建一个一对一字段
                                    # 如下会在A表中额外增加一个c_ptr_id列且唯一:
                                        class C(models.Model):
                                            nid = models.AutoField(primary_key=True)
                                            part = models.CharField(max_length=12)

                                        class A(C):
                                            id = models.AutoField(primary_key=True)
                                            code = models.CharField(max_length=1)

    ManyToManyField(RelatedField)
        to,                         # 要进行关联的表名
        related_name=None,          # 反向操作时,使用的字段名,用于代替 【表名_set】 如: obj.表名_set.all()
        related_query_name=None,    # 反向操作时,使用的连接前缀,用于替换【表名】     如: models.UserGroup.objects.filter(表名__字段名=1).values('表名__字段名')
        limit_choices_to=None,      # 在Admin或ModelForm中显示关联数据时,提供的条件:
                                    # 如:
                                        - limit_choices_to={'nid__gt': 5}
                                        - limit_choices_to=lambda : {'nid__gt': 5}

                                        from django.db.models import Q
                                            - limit_choices_to=Q(nid__gt=10)
                                            - limit_choices_to=Q(nid=8) | Q(nid__gt=10)
                                            - limit_choices_to=lambda : Q(Q(nid=8) | Q(nid__gt=10)) & Q(caption='root')
        symmetrical=None,           # 仅用于多对多自关联时,symmetrical用于指定内部是否创建反向操作的字段
                                    # 做如下操作时,不同的symmetrical会有不同的可选字段
                                    models.BB.objects.filter(...)

                                    # 可选字段有:code, id, m1
                                        class BB(models.Model):

                                        code = models.CharField(max_length=12)
                                        m1 = models.ManyToManyField('self',symmetrical=True)

                                        # 可选字段有: bb, code, id, m1
                                        class BB(models.Model):

                                        code = models.CharField(max_length=12)
                                        m1 = models.ManyToManyField('self',symmetrical=False)

        through=None,               # 自定义第三张表时,使用字段用于指定关系表
        through_fields=None,        # 自定义第三张表时,使用字段用于指定关系表中那些字段做多对多关系表
                                        from django.db import models

                                        class Person(models.Model):
                                            name = models.CharField(max_length=50)

                                        class Group(models.Model):
                                            name = models.CharField(max_length=128)
                                            members = models.ManyToManyField(
                                                Person,
                                                through='Membership',
                                                through_fields=('group', 'person'),
                                            )

                                        class Membership(models.Model):
                                            group = models.ForeignKey(Group, on_delete=models.CASCADE)
                                            person = models.ForeignKey(Person, on_delete=models.CASCADE)
                                            inviter = models.ForeignKey(
                                                Person,
                                                on_delete=models.CASCADE,
                                                related_name="membership_invites",
                                            )
                                            invite_reason = models.CharField(max_length=64)
    db_constraint=True,         # 是否在数据库中创建外键约束
    db_table=None,              # 默认创建第三张表时,数据库中表的名称
多对多:
创建多对多:
	方式一:自定义关系表
		from django.db import models
		# Create your models here.
		class Bussiness(models.Model):
		    caption = models.CharField(max_length=32)
		    code = models.CharField(max_length=32,null=True)
		    
		class Host(models.Model):
		    nid = models.AutoField(primary_key=True)
		    hostname = models.CharField(max_length=32,db_index=True)
		    ip = models.GenericIPAddressField(protocol="ipv4",db_index=True)
		    port = models.IntegerField()
		    b = models.ForeignKey(to="Bussiness", to_field="id", on_delete=models.CASCADE)
		    
		class Application(models.Model):
		    name = models.CharField(max_length=32)
		    
		class HostToApp(models.Model):
		    hobj = models.ForeignKey(to='Host',to_field='nid', on_delete=models.CASCADE)
		    aobj = models.ForeignKey(to='Application',to_field='id', on_delete=models.CASCADE)
		    
	方式二:自动创建关系表,无法直接对第三张表进行操作
		from django.db import models

		class Host(models.Model):
		    nid = models.AutoField(primary_key=True)
		    hostname = models.CharField(max_length=32,db_index=True)
		    ip = models.GenericIPAddressField(protocol="ipv4",db_index=True)
		    port = models.IntegerField()
		    b = models.ForeignKey(to="Bussiness", to_field="id", on_delete=models.CASCADE)
		
		class Application(models.Model):
		    name = models.CharField(max_length=32)
		    r = models.ManyToManyField('Host')
		    
		无法直接操作第三张表,那该怎么操作呢?
	    obj = Application.objects.get(id=1)
	    obj.name
	    
	    obj.r.add(1)	添加对应Application.id=1的值
	    obj.r.add(1,2,3)
	    obj.r.add(*[1,2,3])
	    
	    obj.r.remove(1)	删除对应Application.id=1的值
	    obj.r.remove(1,2,3)
	    obj.r.remove(*[1,2,3])
	    
	    obj.r.clear()	清除对应Application.id=1的值
		
		obj.r.set([3,5,7])

二、操作表

1、基本操作
def orm(request):
    # 三种增加数据的方式
    # 方式1:
    # models.UserInfo.objects.create(username='root',password='1234',)
    # 方式2:
    # dict = {'username':'kaixin','password':'shangni'}
    # models.UserInfo.objects.create(**dict)
    # 方式3:
    # obj = models.UserInfo(username='lishang',password='xiaomeng',)
    # obj.save()

    # 查询全部
    result = models.UserInfo.objects.all()
    # result,QuerySet => Django => []
    a = []
    for i in result:
        select = i.id,i.username,i.password
        a.append(select)
    print(*a,sep='\n')
    return render(request,'select.html',{'select':a})

    # 条件查询
    # result = models.UserInfo.objects.filter(username='kaixin',password='shangni')
    # b = []
    # for i in result:
    #     select1 = i.id,i.username,i.password
    #     b.append(select1)
    # print(*b,sep= '\n')
    # return render(request,'select.html',{'select':b})

    # 删除
    # models.UserInfo.objects.filter(id='4').delete()
    # return HttpResponse('已删除')

    # 更改
    # models.UserInfo.objects.filter(username='kaixin').update(password='ailishang')
    # return HttpResponse("已更改")
2、进阶操作
# 获取个数
# models.Tb1.objects.filter(name='seven').count()
# 大于,小于
# models.Tb1.objects.filter(id__gt=1)              # 获取id大于1的值
# models.Tb1.objects.filter(id__gte=1)              # 获取id大于等于1的值
# models.Tb1.objects.filter(id__lt=10)             # 获取id小于10的值
# models.Tb1.objects.filter(id__lte=10)             # 获取id小于10的值
# models.Tb1.objects.filter(id__lt=10, id__gt=1)   # 获取id大于1 且 小于10的值        

# in
# models.Tb1.objects.filter(id__in=[11, 22, 33])   #获取id等于11、22、33的数据
# models.Tb1.objects.exclude(id__in=[11, 22, 33])  # not in

# isnull
# Entry.objects.filter(pub_date__isnull=True)

# contains
# models.Tb1.objects.filter(name__contains="ven")
# models.Tb1.objects.filter(name__icontains="ven") # icontains大小写不敏感
# models.Tb1.objects.exclude(name__icontains="ven")

# range
# models.Tb1.objects.filter(id__range=[1, 2])   # 范围bettwen and

# 其他类似
# startswith,istartswith, endswith, iendswith,

# order by
# models.Tb1.objects.filter(name='seven').order_by('id')    # asc
# models.Tb1.objects.filter(name='seven').order_by('-id')   # desc

# group by
# from django.db.models import Count, Min, Max, Sum
# models.Tb1.objects.filter(c1=1).values('id').annotate(c=Count('num'))
# SELECT "app01_tb1"."id", COUNT("app01_tb1"."num") AS "c" FROM "app01_tb1" WHERE "app01_tb1"."c1" = 1 GROUP BY "app01_tb1"."id"

# limit 、offset
# models.Tb1.objects.all()[10:20]

# regex正则匹配,iregex 不区分大小写
# Entry.objects.get(title__regex=r'^(An?|The) +')
# Entry.objects.get(title__iregex=r'^(an?|the) +')

# date
# Entry.objects.filter(pub_date__date=datetime.date(2005, 1, 1))
# Entry.objects.filter(pub_date__date__gt=datetime.date(2005, 1, 1))

# year
# Entry.objects.filter(pub_date__year=2005)
# Entry.objects.filter(pub_date__year__gte=2005)

# month
# Entry.objects.filter(pub_date__month=12)
# Entry.objects.filter(pub_date__month__gte=6)

# day
# Entry.objects.filter(pub_date__day=3)
# Entry.objects.filter(pub_date__day__gte=3)

# week_day
# Entry.objects.filter(pub_date__week_day=2)
# Entry.objects.filter(pub_date__week_day__gte=2)

# hour
# Event.objects.filter(timestamp__hour=23)
# Event.objects.filter(time__hour=5)
# Event.objects.filter(timestamp__hour__gte=12)

# minute
# Event.objects.filter(timestamp__minute=29)
# Event.objects.filter(time__minute=46)
# Event.objects.filter(timestamp__minute__gte=29)

# second
# Event.objects.filter(timestamp__second=31)
# Event.objects.filter(time__second=2)
# Event.objects.filter(timestamp__second__gte=31)

三、其他知识点

1、Ajax请求

项目地址:Mypro

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
    <style>
        body {
            margin: 0;
        }
        .hide {
            display: none;
        }
        .shadow {
            position: fixed;
            top: 0;
            left: 0;
            right: 0;
            bottom: 0;
            opacity: 0.5;
            background-color: black;
            z-index: 9;
        }
        .modal {
            position: fixed;
            top: 120px;
            left: 50%;
            margin-left: -200px;
            width: 400px;
            height: 300px;
            background-color: aliceblue;
            z-index: 10;
        }
    </style>
</head>
<body>
    <div class="shadow hide"></div>{# 遮罩层 #}
    <div class="modal hide">
    {#添加主机的模态对话框#}
        <form method="POST" action="/meng/hosts/">
            <div class="i3">
                <input id="host" type="text" name="hostname" placeholder="主机名">
                <input id="ip" type="text" name="ip" placeholder="IP地址">
                <input id="port" type="text" name="port" placeholder="端口号">
                <select id="b_id" name="b_id">
                    {% for foo in b_list %}
                        <option value="{{ foo.id }}">{{ foo.caption }}</option>
                    {% endfor %}
                </select>
            </div>
{#            <input id="i4" type="submit" value="提交">#}
            <a id="ajax_submit" type="button" style="display: inline-block; padding: 5px; background-color: cornflowerblue; color: lightcoral">悄悄提交</a>
            <input id="i2" type="button" style="position: absolute;bottom: 20px;right: 20px;" value="取消" />
        </form>
    </div>
    <div style="position: fixed; left: 10px">
        <h1>主机列表</h1>
        <div>
            <button id="i1">添加</button>
        </div>
        <table border="1">
            <thead>
            <tr>
                <th>序号</th>
                <th>主机名</th>
                <th>IP地址</th>
                <th>端口号</th>
                <th>业务线名称</th>
            </tr>
            </thead>
            <tbody>
            {% for foo in h %}
                <tr h-id="{{ foo.nid }}" b-id="{{ foo.b_id }}">
                    <td>{{ forloop.counter }}</td>
                    <td>{{ foo.hostname }}</td>
                    <td>{{ foo.ip }}</td>
                    <td>{{ foo.port }}</td>
                    <td>{{ foo.b.caption }}</td>
                </tr>
            {% endfor %}
            </tbody>
        </table>
    </div>

    <script src="/static/jquery-1.12.4.js"></script>
    <script>
        $(function () {

            $('#i1').click(function () {
                $('.shadow,.modal').removeClass('hide')
            });

            $('#i2').click(function () {
                $('.shadow,.modal').addClass('hide')
            });
            $('#ajax_submit').click(function () {
                $.ajax({
                    url:'/meng/test_ajax/',
                    type :'POST',
                    data: {'hostname':$('#host').val(),'ip':$('#ip').val(),'port':$('#port').val(),'b_id':$('#b_id').val()},
                    success : function (data) {
                        if (data == "OK") {
                            location.reload()
                        }else
                        alert(data)
                    }
                })
            })
        })
    </script>
</body>
</html>
from django.shortcuts import render,HttpResponse,redirect
from mengmeng import models

def test(request):
    print(request.method, request.POST, sep='\t')
    h = request.POST.get('hostname')
    i = request.POST.get('ip')
    p = request.POST.get('port')
    b = request.POST.get('b_id')
    if h and len(h) > 5:
        models.Host.objects.create(hostname=h, ip=i, port=p, b_id=b)
        return HttpResponse('OK')
    else:
        return HttpResponse('hostname太短了')

建议:

服务器端永远返回一个字典
ret = {'status':True, 'error':None, 'data':None}
return HttpResponse(json.dumps(ret))

前端拿到返回结果后data后,再转成JSON格式取值
<span id="error_msg" style="color: red;"></span>
var obj = JSON.parse(data);
if (obj.status){
	location.reload()
}else
	$('#error_msg').text(obj.error)
posted @ 2022-02-18 17:36  中國颜值的半壁江山  阅读(130)  评论(0)    收藏  举报