纵有疾风起
人生不言弃

Django知识(二)

上一部链接

本章内容

  • Django model

Model 基础配置

django默认支持sqlite,mysql, oracle,postgresql数据库。

    <1> sqlite

            django默认使用sqlite的数据库,默认自带sqlite的数据库驱动

            引擎名称:django.db.backends.sqlite3

     <2>mysql

            引擎名称:django.db.backends.mysql

1、配置文件中sqlite

DATABASES = {    'default': {        'ENGINE': 'django.db.backends.sqlite3',        'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),    }}

2、配置文件中mysql

DATABASES = {    'default': {    'ENGINE': 'django.db.backends.mysql',    'NAME':'数据库名',    'USER': 'root',    'PASSWORD': 'xxx',    'HOST': '',    'PORT': '',    }}

注:由于Django内部连接MySQL时使用的是MySQLdb模块,而python3中还无此模块,所以需要使用pymysql来代替

如下设置放置的与project同名的配置的 __init__.py文件中

import pymysqlpymysql.install_as_MySQLdb() 

Model 创建表结构

创建的时候必须放置models文件中,其他文件中均不可创建

一、基本结构

from django.db import modelsclass Content(models.Model):    title = models.CharField(max_length=150)    body = models.TextField()    timestamp = models.DateTimeField()

Contentt里用了CharField,TextField, TextField域。难道就只有这三种,不可能!

如下,我列出了其它的Field,并表明了它们的继承关系:

Field|--AutoField|--BooleanField|--CharField|  |--EmailField|  |--SlugField|  `--URLField|--DateField|  `--DateTimeField|--DecimalField|--FilePathField|--FloatField|--IntegerField|  |--BigIntegerField|  |--PositiveIntegerField|  `--PositiveSmallIntegerField|--IPAddressField|--GenericIPAddressField|--NullBooleanField|--TextField|--TimeField`--BinaryField

字段注释

1、models.AutoField  自增列 = int(11)  如果没有的话,默认会生成一个名称为 id 的列,如果要显示的自定义一个自增列,必须将给列设置为主键 primary_key=True。2、models.CharField  字符串字段  必须 max_length 参数3、models.BooleanField  布尔类型=tinyint(1)  不能为空,Blank=True4、models.ComaSeparatedIntegerField  用逗号分割的数字=varchar  继承CharField,所以必须 max_lenght 参数5、models.DateField  日期类型 date  对于参数,auto_now = True 则每次更新都会更新这个时间;auto_now_add 则只是第一次创建添加,之后的更新不再改变。6、models.DateTimeField  日期类型 datetime  同DateField的参数7、models.Decimal  十进制小数类型 = decimal  必须指定整数位max_digits和小数位decimal_places8、models.EmailField  字符串类型(正则表达式邮箱) =varchar  对字符串进行正则表达式9、models.FloatField  浮点类型 = double10、models.IntegerField  整形11、models.BigIntegerField  长整形  integer_field_ranges = {    'SmallIntegerField': (-32768, 32767),    'IntegerField': (-2147483648, 2147483647),    'BigIntegerField': (-9223372036854775808, 9223372036854775807),    'PositiveSmallIntegerField': (0, 32767),    'PositiveIntegerField': (0, 2147483647),  }12、models.IPAddressField  字符串类型(ip4正则表达式)13、models.GenericIPAddressField  字符串类型(ip4和ip6是可选的)  参数protocol可以是:both、ipv4、ipv6  验证时,会根据设置报错14、models.NullBooleanField  允许为空的布尔类型15、models.PositiveIntegerFiel  正Integer16、models.PositiveSmallIntegerField  正smallInteger17、models.SlugField  减号、下划线、字母、数字18、models.SmallIntegerField  数字  数据库中的字段有:tinyint、smallint、int、bigint19、models.TextField  字符串=longtext20、models.TimeField  时间 HH:MM[:ss[.uuuuuu]]21、models.URLField  字符串,地址正则表达式22、models.BinaryField  二进制23、models.ImageField   图片24、models.FilePathField 文件

Field类在构造的时候可以指定以下参数:

1、null=True  数据库中字段是否可以为空2、blank=True  django的 Admin 中添加数据时是否可允许空值3、primary_key = False  主键,对AutoField设置主键后,就会代替原来的自增 id 列4、auto_now 和 auto_now_add  auto_now   自动创建---无论添加或修改,都是当前操作的时间  auto_now_add  自动创建---永远是创建时的时间5、choicesGENDER_CHOICE = (        (u'M', u'Male'),        (u'F', u'Female'),    )gender = models.CharField(max_length=2,choices = GENDER_CHOICE)6、max_length7、default  默认值8、verbose_name  Admin中字段的显示名称9、name|db_column  数据库中的字段名称10、unique=True  不允许重复11、db_index = True  数据库索引12、editable=True  在Admin里是否可编辑13、error_messages=None  错误提示14、auto_created=False  自动创建15、help_text  在Admin中提示帮助信息16、validators=[]17、upload-to

二、连表结构

  • 一对多:models.ForeignKey(其他表)
  • 多对多:models.ManyToManyField(其他表)
  • 一对一:models.OneToOneField(其他表)

应用场景:

1、一对一

当一张表中创建一行数据时,有一个单选的下拉框(可以被重复选择)例:创建用户信息时候,需要选择一个用户类型【普通用户】【金牌用户】【铂金用户】等。

2、多对多

在某表中创建一行数据是,有一个可以多选的下拉框例:创建用户信息,需要为用户指定多个爱好

3、一对一

在某表中创建一行数据时,有一个单选的下拉框(下拉框中的内容被用过一次就消失了例:原有含10列数据的一张表保存相关信息,经过一段时间之后,10列无法满足需求,需要为原来的表再添加5列数据

Model 操作

一、基本操作

1、增:

# 方式一models.Tb1.objects.create(c1='xx', c2='oo')  增加一条数据,可以接受字典类型数据 **kwargs# 方式二obj = models.Tb1(c1='xx', c2='oo')obj.save()

2、删

models.Tb1.objects.filter(name='seven').delete() # 删除指定条件的数据

3、改

# 方式一models.Tb1.objects.filter(name='seven').update(gender='0')  # 将指定条件的数据更新,均支持 **kwargs# 方式二obj = models.Tb1.objects.get(id=1)obj.c1 = '111'obj.save()                                                  # 修改单条数据

4、查

models.Tb1.objects.get(id=123)            # 获取单条数据,不存在则报错(不建议)models.Tb1.objects.all()                  # 获取全部models.Tb1.objects.filter(name='seven')   # 获取指定条件的数据

二、进阶操作

利用双下划线将字段和对应的操作连接起来

    # 获取个数    #    # models.Tb1.objects.filter(name='seven').count()    # 大于,小于    #    # models.Tb1.objects.filter(id__gt=1)              # 获取id大于1的值    # models.Tb1.objects.filter(id__lt=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    # 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    # limit 、offset    #    # models.Tb1.objects.all()[10:20]    # 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"

Model 操作案例

一、一对多案例

1、表结构如下:

from django.db import modelsclass Usertype(models.Model):    uid = models.AutoField(primary_key=True)    caption = models.CharField(max_length=32)class Userinfo(models.Model):    user = models.CharField(max_length=32)    email = models.EmailField(max_length=32)    pwd = models.CharField(max_length=32)    user_type = models.ForeignKey('Usertype')

打开终端进入project目录下输入命令生成表结构:

python3 manage.py makemigrationspython3 manage.py migrate

2、创建数据

def index(request):    # 三种创建数据方法    obj = models.Usertype(caption ='管理员' )    obj.save()        models.Usertype.objects.create(caption='普通用户')        obj = {        'caption':'Guest'    }    models.Usertype.objects.create(**obj)    # 建议使用这一种方法    userinfo_dict = {        'user':'张岩林',        'email':'123@qq.com',        'pwd':'123',        'user_type_id':1,    }    userinfo_dicts = {        'user':'aylin',        'email':'124@qq.com',        'pwd':'1333',        'user_type':models.Usertype.objects.get(uid=3),    }    models.Userinfo.objects.create(**userinfo_dict)    models.Userinfo.objects.create(**userinfo_dicts)    return HttpResponse('OK')

3、单表查询

def index(request):   # 单表查询,查询结果是queryset对象    ret = models.Usertype.objects.all()    print(ret)  # 结果<QuerySet [<Usertype: Usertype object>, <Usertype: Usertype object>, <Usertype: Usertype object>]>    for item in ret:        print(item.caption)   # 取值管理员,普通用户,guest    # 单独只取一列 vlaues    ret = models.Usertype.objects.all().values('caption')    print(ret)    for i in ret:        print(i,type(i))  # {'caption': '管理员'} <class 'dict'>    # 可以通过变量取到关联表的对象后面加入.caption取另一个表的内容    ret = models.Userinfo.objects.all()    print(ret,type(ret))    for item in ret:        print(item.user,item.user_type.caption)   # item.user_type取到的是usertype的对象,所以可以取caption    return HttpResponse('OK')

4、连表正向查找(双下划线)

def index(request):    # 连表查询之双下划线    ret = models.Userinfo.objects.all().values('user','user_type__caption')    print(ret)    # 过滤所有用户类型是管理员的用户(连表查询)    ret = models.Userinfo.objects.filter(user_type__caption="管理员").values('user', 'user_type__caption')    print(ret)    return HttpResponse('OK')

5、连表反向查找(双下划线)

def index(request):    # 过滤取出第一个是管理员的哪一行数据    obj = models.Usertype.objects.filter(caption='管理员').first()    print(obj.uid)    print(obj.caption)    print(obj.userinfo_set.all())    obj = models.Usertype.objects.filter(userinfo__user='张岩林').values('userinfo__user')    print(obj)    return HttpResponse('OK')

二、多对多操作

1、表结构如下:

# 1、传统多对多创建表class HostToGroup(models.Model):    hgid = models.AutoField(primary_key=True)    host_id = models.ForeignKey('Host')    group_id = models.ForeignKey('Group')class Host(models.Model):    hid = models.AutoField(primary_key=True)    hostname = models.CharField(max_length=32)    ip =  models.CharField(max_length=32)class Group(models.Model):    gid = models.AutoField(primary_key=True)    name = models.CharField(max_length=16)# 2、django给创建第三章关系表,同时可以通过group表里的h2g来给第三张表进行操作class Host(models.Model):    hid = models.AutoField(primary_key=True)    hostname = models.CharField(max_length=32)    ip =  models.CharField(max_length=32)    # h2g = models.ManyToManyField('Group')class Group(models.Model):    gid = models.AutoField(primary_key=True)    name = models.CharField(max_length=16)    h2g = models.ManyToManyField('Host')# 3、自己写第三张表的时候,many要加参数class Host(models.Model):    hid = models.AutoField(primary_key=True)    hostname = models.CharField(max_length=32)    ip =  models.CharField(max_length=32)    # h2g = models.ManyToManyField('Group')class Group(models.Model):    gid = models.AutoField(primary_key=True)    name = models.CharField(max_length=16)    h2g = models.ManyToManyField('Host',through="HostToGroup") # 重点在这class HostToGroup(models.Model):    hgid = models.AutoField(primary_key=True)    host_id = models.ForeignKey('Host')    group_id = models.ForeignKey('Group')    status = models.IntegerField()    class Meta:        # index_together = ("host_id",'goup_id')        unique_together = [            ('host_id', 'group_id'),        ]

本次操作以第二种表结构操作,第一种方式传统的操作方式和一对多操作一样,第二三种主要是通关表结构中many来操作表

2、创建数据

def index(request):    models.Host.objects.create(hostname='c1', ip='1.1.1.1')    models.Host.objects.create(hostname='c2', ip='1.1.1.2')    models.Host.objects.create(hostname='c3', ip='1.1.1.3')    models.Host.objects.create(hostname='c4', ip='1.1.1.4')    models.Host.objects.create(hostname='c5', ip='1.1.1.5')        models.Group.objects.create(name='财务部')    models.Group.objects.create(name='人事部')    models.Group.objects.create(name='公关部')    models.Group.objects.create(name='技术部')    models.Group.objects.create(name='运营部')    models.Group.objects.create(name='销售部')    models.Group.objects.create(name='客服部')    return HttpResponse('OK')

3、正向添加数据

    obj = models.Group.objects.get(gid=1)    obj.h2g.add(*models.Host.objects.all())    print(obj.h2g.all())    # <QuerySet [<Host: Host object>, <Host: Host object>, <Host: Host object>, <Host: Host object>, <Host: Host object>]>

4、反向添加数据(_set)

    # 将一台机器,分配给多个组

# 方法一 只能一个一个添加 host = models.Host.objects.get(hid=1) group = models.Group.objects.get(gid=4) group.h2g.add(host) # 方法二 添加多条 h = models.Host.objects.get(hid=4) h.group_set.add(*models.Group.objects.filter(gid__gt=3)) # 方法三 h =models.Host.objects.get(hid=2) ret = h.group_set.set(models.Group.objects.filter(gid__gt=3)) print(ret,type(ret))

5、删除

    # 删除语句    h = models.Host.objects.get(hid=2)    h.group_set.remove(*models.Group.objects.filter(gid__gt=3))    # 危险删除方法,慎用,会把分组表里的分组也会给删掉    h.group_set.all().delete()

6、补充

    # 补充,add添加可以添加数字    h = models.Host.objects.get(hid=1)    h.group_set.add(1)    h.group_set.add(models.Group.objects.get(gid=1))    h.group_set.add(*[2,3])    h.group_set.add(*models.Group.objects.filter(gid__gt=1))    # 两个表都添加数据    h = models.Host.objects.get(hid=2)    h.group_set.get_or_create(name = "人事部")    h.group_set.update_or_create(name="技术部")

 

文章转载于:https://www.cnblogs.com/aylin/p/5815415.html

原著是一个有趣的人,若有侵权,请通知删除

未经允许不得转载:起风网 » Django知识(二)
分享到: 生成海报

评论 抢沙发

评论前必须登录!

立即登录