首页 > 代码库 > django-数据库

django-数据库

Model

到目前为止,当我们的程序涉及到数据库相关操作时,我们一般都会这么搞:

  • 创建数据库,设计表结构和字段
  • 使用 MySQLdb 来连接数据库,并编写数据访问层代码
  • 业务逻辑层去调用数据访问层执行数据库操作
import MySQLdb def GetList(sql):    db = MySQLdb.connect(user=root, db=wupeiqidb, passwd=1234, host=localhost)    cursor = db.cursor()    cursor.execute(sql)    data = cursor.fetchall()    db.close()    return data def GetSingle(sql):    db = MySQLdb.connect(user=root, db=wupeiqidb, passwd=1234, host=localhost)    cursor = db.cursor()    cursor.execute(sql)    data = cursor.fetchone()    db.close()    return data复制代码

 

django为使用一种新的方式,即:关系对象映射(Object Relational Mapping,简称ORM)。

  PHP:activerecord

  Java:Hibernate 

    C#:Entity Framework

django中遵循 Code Frist 的原则,即:根据代码中定义的类来自动生成数据库表。

一、创建表

1、基本结构

 

from django.db import models   class userinfo(models.Model):    name = models.CharField(max_length=30)    email = models.EmailField()    memo = models.TextField()

 

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 文件

 

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 = (        (uM, uMale),        (uF, uFemale),    )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

 

 

 

2、连表结构

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

应用场景:

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

二、操作表

1、基本操作

    #    #    # models.Tb1.objects.create(c1=‘xx‘, c2=‘oo‘)  增加一条数据,可以接受字典类型数据 **kwargs    # obj = models.Tb1(c1=‘xx‘, c2=‘oo‘)    # obj.save()    #    #    # models.Tb1.objects.get(id=123)         # 获取单条数据,不存在则报错(不建议)    # models.Tb1.objects.all()               # 获取全部    # models.Tb1.objects.filter(name=‘seven‘) # 获取指定条件的数据    #    #    # models.Tb1.objects.filter(name=‘seven‘).delete() # 删除指定条件的数据    #    # models.Tb1.objects.filter(name=‘seven‘).update(gender=‘0‘)  # 将指定条件的数据更新,均支持 **kwargs    # obj = models.Tb1.objects.get(id=1)    # obj.c1 = ‘111‘    # obj.save()                                                 # 修改单条数据

 

2、进阶操作(了不起的双下划线)

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

    # 获取个数    #    # 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"

 

3、连表操作(了不起的双下划线)

利用双下划线和 _set 将表之间的操作连接起来

 

class UserProfile(models.Model):    user_info = models.OneToOneField(UserInfo)    username = models.CharField(max_length=64)    password = models.CharField(max_length=64)    def __unicode__(self):        return self.usernameclass UserInfo(models.Model):    user_type_choice = (        (0, u普通用户),        (1, u高级用户),    )    user_type = models.IntegerField(choices=user_type_choice)    name = models.CharField(max_length=32)    email = models.CharField(max_length=32)    address = models.CharField(max_length=128)    def __unicode__(self):        return self.nameclass UserGroup(models.Model):    caption = models.CharField(max_length=64)    user_info = models.ManyToManyField(UserInfo)    def __unicode__(self):        return self.captionclass Host(models.Model):    hostname = models.CharField(max_length=64)    ip = models.GenericIPAddressField()    user_group = models.ForeignKey(UserGroup)    def __unicode__(self):        return self.hostname

 

user_info_obj = models.UserInfo.objects.filter(id=1).first()print user_info_obj.user_typeprint user_info_obj.get_user_type_display()print user_info_obj.userprofile.password user_info_obj = models.UserInfo.objects.filter(id=1).values(email, userprofile__username).first()print user_info_obj.keys()print user_info_obj.values()

 

类似一对一1、搜索条件使用 __ 连接2、获取值时使用 .    连接

user_info_obj = models.UserInfo.objects.get(name=u武沛齐)user_info_objs = models.UserInfo.objects.all() group_obj = models.UserGroup.objects.get(caption=CEO)group_objs = models.UserGroup.objects.all() # 添加数据#group_obj.user_info.add(user_info_obj)#group_obj.user_info.add(*user_info_objs) # 删除数据#group_obj.user_info.remove(user_info_obj)#group_obj.user_info.remove(*user_info_objs) # 添加数据#user_info_obj.usergroup_set.add(group_obj)#user_info_obj.usergroup_set.add(*group_objs) # 删除数据#user_info_obj.usergroup_set.remove(group_obj)#user_info_obj.usergroup_set.remove(*group_objs) # 获取数据#print group_obj.user_info.all()#print group_obj.user_info.all().filter(id=1) # 获取数据#print user_info_obj.usergroup_set.all()#print user_info_obj.usergroup_set.all().filter(caption=‘CEO‘)#print user_info_obj.usergroup_set.all().filter(caption=‘DBA‘)

 

    # F 使用查询条件的值    #    # from django.db.models import F    # models.Tb1.objects.update(num=F(‘num‘)+1)    # Q 构建搜索条件    from django.db.models import Q    # con = Q()    #    # q1 = Q()    # q1.connector = ‘OR‘    # q1.children.append((‘id‘, 1))    # q1.children.append((‘id‘, 10))    # q1.children.append((‘id‘, 9))    #    # q2 = Q()    # q2.connector = ‘OR‘    # q2.children.append((‘c1‘, 1))    # q2.children.append((‘c1‘, 10))    # q2.children.append((‘c1‘, 9))    #    # con.add(q1, ‘AND‘)    # con.add(q2, ‘AND‘)    #    # models.Tb1.objects.filter(con)    #    # from django.db import connection    # cursor = connection.cursor()    # cursor.execute("""SELECT * from tb where name = %s""", [‘Lennon‘])    # row = cursor.fetchone()

 

django-数据库