模型层数据

聚合函数查询

类似mysql的聚合函数 也就是
mySQL聚合函数:max\min\sum\count\avg
    
orm操作聚合函数需要导入 PYCHARM是不自带模块函数模块的 
要什么导入什么函数 需要即可导入 属于客户端功能
from django.db.models import Max, Min, Sum, Avg, Count
* 以书籍的最大价格为例子
  关键字 aggregate 
    作为聚和函数的关键字使用
    res = models.Book.objects.aggregate(Max('price'))
    print(res)
需要指定数据字段 不然底层会默认拿到整个表作为数据取值
这就是我们操作的聚合的SQL语句
(0.000) SELECT @@SQL_AUTO_IS_NULL; args=None
(0.001) SELECT MAX(`app01_book`.`price`) AS `price__max` FROM `app01_book`; args=()
我们将函数集中使用
    from django.db.models import Max, Min, Sum, Avg, Count
    res = models.Book.objects.aggregate(Max('price'),
                                        Min('price'),
                                        Sum('price'),
                                        Avg('price'),
                                        Count('id')
                                    )
    print(res)
会得到所有结果

分组查询

MySQL分组查询:group by 
ORM分组查询:
* 统计每本书的作者个数
理清思路 由书查询作者 属于正向查询 个数 用到count   
res = models.Book.objects.annotate(num=Count('authors__pk')).values('title','num')
主键个数统计 统计的是作者的参与的个数 利用连表查询 找到title值
* 统计每个出版社卖的最便宜的书的价格
res = models.Publish.objects.annotate(min_price=Min('book__price')).values('name', 'min_price')
** 统计不止一个作者的图书
res = models.Book.objects.annotate(author_num=Count('authors__pk')).filter(author_num__gt=1).values('title','author_num')
* 统计每个作者出的书的总价格
from django.db.models import Sum
res = models.Author.objects.annotate(book_sum_price=Sum('book__price')).values('name','book_sum_price')

    
"""上述操作都是以表为单位做分组 如果想要以表中的某个字段分组如何操作"""
models.Author.objects.values('age').annotate()
* 统计每个出版社主键值对应的书籍个数
from django.db.models import Count
    res = models.Book.objects.values('publish_id').annotate(book_num=Count('pk')).values('publish_id','book_num')
    print(res)
在对表操作时   models.Author.objects.values('age').annotate()
如果在annotate在values前面就按聚合函数分组
但是values在annotate前面 就按values里面的字段进行分组
    res = models.Book.objects.values('publish_id').annotate(num=Count('pk')).values('publish_id','num')
    print(res)
此values在前按照出版社id分组

F和Q查询

F查询

当表中已经有数据的情况下 添加额外的字段 需要指定默认值或者可以为null
方式1
		IntegerField(verbose_name='销量',default=1000)
方式2
		IntegerField(verbose_name='销量',null=True)
方式3
		在迁移命令提示中直接给默认值
迁移数据相关需要默认值才能迁移 
1. 提供默认值
2. 提供默认参数
3. 在迁移命令中run...marage中给与默认值
* 查询库存大于销量的书籍
无法用聚合和单独获取对象查询 
数据两方来源都需要 所以不能直接获取
* * 当左右两方数据都来自表中的时候 用到F查询
    res = models.Book.objects.filter(kuchun__gt=F('maichu'))
    print(res)
从书表查询 没用到分组相关 但是数据要用两方
* 将所有书的价格提升1000块
res = models.Book.objects.update(price=F('price') + 1000)
* 将所有书的名称后面加上_爆款后缀
需要拿到书表 然后拿到名称 在拼接后缀
 在django里拼接是Concat 
res = models.Book.objects.update(title=F('title') + '_爆款')  # 不可以
'''如果要修改char字段咋办(千万不能用上面对数值类型的操作!!!) 需要使用下列两个方法'''
from django.db.models.functions import Concat
from django.db.models import Value
    res = models.Book.objects.update(title=Concat(F('title'),Value('_add')))
    print(res)

Q查询

Q查询多数用于or关系 我们默认的查询格式是AND关系
要实现导入Q模块
* 查询价格大于20000或者卖出大于1000的书籍
    '''filter括号内多个条件默认是and关系 无法直接修改'''
    from django.db.models import Q
    '''使用Q对象 就可以支持逻辑运算符'''
      res = models.Book.objects.filter(Q(price__gt=20000), Q(maichu__gt=1000))   逗号是and关系
     res = models.Book.objects.filter(Q(price__gt=20000) | Q(maichu__gt=1000))   管道符是or
如果在使用Q情况下使用逗号 得出结果任然是and关系
    res =models.Book.objects.filter(Q(price__gt=8200)|Q(maichu__gt=5000))
    print(res)
    print(res.query)
取反操作 也就是 相当于 in 变成not in
    res2 = models.Book.objects.filter(~Q(price__gt=8300))
    print(res2)
    print(res2.query)
 * ~ 这个就相当于not

Q查询进阶

    '''
    Q对象进阶用法
        filter(price=100)
        filter('price'=100)
    当我们需要编写一个搜索功能 并且条件是由用户指定 这个时候左边的数据就是一个字符串
    '''
    q_obj = Q()
    q_obj.connector = 'or'  # 默认是and 可以改为or
    q_obj.children.append(('price__gt',20000))
    q_obj.children.append(('maichu__gt',1000))
    res = models.Book.objects.filter(q_obj)
    print(res.query)

only和defer方法

数据库尽量不要麻烦
***** 一旦数据库崩了 就真的妈妈咪呀了 
 1.orm查询默认都是惰性查询(能不消耗数据库资源就不消耗)
* 光编写orm语句并不会直接指向SQL语句 只有后续的代码用到了才会执行
2.orm查询默认自带分页功能(尽量减轻单次查询数据的压力)  limit 大写提示
 res = models.Book.objects.values('title','price')
'''需求:单个结果还是以对象的形式展示 可以直接通过句点符操作'''
 for i in res:
     print(i.get('title'))
res = models.Book.objects.only('title', 'price')
 for obj in res:
print(obj.title) 
print(obj.price)
print(obj.publish_time)
    """
    only会产生对象结果集 对象点括号内出现的字段不会再走数据库查询
    但是如果点击了括号内没有的字段也可以获取到数据 但是每次都会走数据库查询
    """    
res = models.Book.objects.defer('title','price')
for obj in res:
   # print(obj.title)
   # print(obj.price)
   print(obj.publish_time)
    """
    defer与only刚好相反 对象点括号内出现的字段会走数据库查询
    如果点击了括号内没有的字段也可以获取到数据 每次都不会走数据库查询
    """

ORM查询优化

select_related里面只能放外键字段
select_related和prefetch_related
res = models.Book.objects.select_related('publish')
    # for obj in res:
    #     print(obj.title)
    #     print(obj.publish.name)
    #     print(obj.publish.addr)

    """
    select_related括号内只能传一对一和一对多字段 不能传多对多字段
    效果是内部直接连接表(inner join) 然后将连接之后的大表中所有的数据全部封装到数据对象中
    后续对象通过正反向查询跨表 内部不会再走数据库查询
    """
    res = models.Book.objects.prefetch_related('publish')
    for obj in res:
        print(obj.title)
        print(obj.publish.name)
        print(obj.publish.addr)
    """
    将多次查询之后的结果封装到数据对象中 后续对象通过正反向查询跨表 内部不会再走数据库查询
    """    	

ORM常见字段

AutoField()
	int auto_increment
CharField()
	必须提供max_length参数	对应的数据库中是varchar类型
IntergerField()
	int
DecimalField()
	decimal
DateField()
	date				auto_now   auto_now_add
DateTimeField()
	datetime		auto_now   auto_now_add
BigIntergerField()
	bigint
BooleanField()
	传布尔值 存0和1
TextField()
	存储大段文本
FileField()
	传文件自动保存到指定位置并存文件路径
EmailField()
	本质还是varchar类型 
 
# 自定义字段类型
class MyCharField(models.Field):
    def __init__(self, max_length, *args, **kwargs):
        self.max_length = max_length
        super().__init__(max_length=max_length, *args, **kwargs)

    def db_type(self, connection):
        return 'char(%s)' % self.max_length

重要参数

primary_key
max_length
verbose_name
null
default
max_digits
decimal_places
unique
db_index
auto_now
auto_now_add
choices
	用于可以被列举完全的数据
  	eg:性别 学历 工作经验 工作状态
      	class User(models.Model):
          username = models.CharField(max_length=32)
          password = models.IntegerField()
          gender_choice = (
              (1,'男性'),
              (2,'女性'),
              (3,'变性')
          )
          gender = models.IntegerField(choices=gender_choice)
				user_obj.get_gender_display()  
        # 有对应关系就拿 没有还是本身
to
to_field
db_constraint
ps:外键字段中可能还会遇到related_name参数
"""
外键字段中使用related_name参数可以修改正向查询的字段名
"""

事务操作

MySQL事务:四大特性(ACID)
  	原子性
    一致性
    独立性
    持久性
    start transcation;
    rollback;
    commit;
  
from django.db import transaction
    try:
        with transaction.atomic():
            pass
    except Exception:
        pass

ORM执行原生SQL

# 方式1
from django.db import connection, connections
cursor = connection.cursor()  
cursor = connections['default'].cursor()
cursor.execute("""SELECT * from auth_user where id = %s""", [1])
cursor.fetchone()

# 方式2
models.UserInfo.objects.extra(
                    select={'newid':'select count(1) from app01_usertype where id>%s'},
                    select_params=[1,],
                    where = ['age>%s'],
                    params=[18,],
                    order_by=['-age'],
                    tables=['app01_usertype']
                )

多对多三种创建方式

# 全自动(常见)
	orm自动创建第三张表 但是无法扩展第三张表的字段
	authors = models.ManyToManyField(to='Author')
# 全手动(使用频率最低)
	优势在于第三张表完全自定义扩展性高 劣势在于无法使用外键方法和正反向
	class Book(models.Model):
    title = models.CharField(max_length=32)
  class Author(models.Model):
    name = models.CharField(max_length=32)
  class Book2Author(models.Model):
    book_id = models.ForeignKey(to='Book')
    author_id = models.ForeignKey(to='Author')
# 半自动(常见)
	正反向还可以使用 并且第三张表可以扩展 唯一的缺陷是不能用
  add\set\remove\clear四个方法
  
	class Book(models.Model):
    title = models.CharField(max_length=32)
    authors = models.ManyToManyField(
      					to='Author',
    						through='Book2Author',  # 指定表
      					through_fields=('book','author')  # 指定字段
    )
  class Author(models.Model):
    name = models.CharField(max_length=32)
    '''多对多建在任意一方都可以 如果建在作者表 字段顺序互换即可'''
    books = models.ManyToManyField(
      					to='Author',
    						through='Book2Author',  # 指定表
      					through_fields=('author','book')  # 指定字段
    )
  class Book2Author(models.Model):
    book = models.ForeignKey(to='Book')
    author = models.ForeignKey(to='Author')
    
posted on 2022-05-19 00:13  等秋叶的七月  阅读(69)  评论(0)    收藏  举报