Python短小精悍的Orator查询构造器

查询构造器

介绍

这个数据库查询构造器,提供便利的接口可以创建和执行查询操作,可以在大多数数据库中使用。

查询select操作

查询表中所有的数据。

users = db.table(‘users‘).get()

for user in users:
    print(user[‘name‘])

分片查询表中的数据

for users in db.table(‘users‘).chunk(100):
    for user in users:
        # ...

查询表中的某一条数据

user = db.table(‘users‘).where(‘name‘, ‘John‘).first()
print(user[‘name‘])

查询某一行的某一列数据

user = db.table(‘users‘).where(‘name‘, ‘John‘).pluck(‘name‘)

查询某一列的数据

roles = db.table(‘roles‘).lists(‘title‘)

这个方法返回一个list,如果在加一个参数将返回一个字典。

roles = db.table(‘roles‘).lists(‘title‘, ‘name‘)

指定一个selcet语句

users = db.table(‘users‘).select(‘name‘, ‘email‘).get()

users = db.table(‘users‘).distinct().get()

users = db.table(‘users‘).select(‘name as user_name‘).get()

添加一个select语句在额外查询语句里。

query = db.table(‘users‘).select(‘name‘)

users = query.add_select(‘age‘).get()

使用where操作

users = db.table(‘users‘).where(‘age‘, ‘>‘, 25).get()

使用or操作

users = db.table(‘users‘).where(‘age‘, ‘>‘, 25).or_where(‘name‘, ‘John‘).get()

使用where between操作

users = db.table(‘users‘).where_between(‘age‘, [25, 35]).get()

使用where not between操作

users = db.table(‘users‘).where_not_between(‘age‘, [25, 35]).get()

使用where in操作

users = db.table(‘users‘).where_in(‘id‘, [1, 2, 3]).get()

users = db.table(‘users‘).where_not_in(‘id‘, [1, 2, 3]).get()

使用where null查询Null记录

users = db.table(‘users‘).where_null(‘updated_at‘).get()

使用order by, group by and having操作

query = db.table(‘users‘).order_by(‘name‘, ‘desc‘)
query = query.group_by(‘count‘)
query = query.having(‘count‘, ‘>‘, 100)

users = query.get()

使用offset and limit操作

users = db.table(‘users‘).skip(10).take(5).get()

users = db.table(‘users‘).offset(10).limit(5).get()

使用Join操作

在查询构造器中也可以使用join连表查询。

基本join操作

db.table(‘users‘)     .join(‘contacts‘, ‘users.id‘, ‘=‘, ‘contacts.user_id‘)     .join(‘orders‘, ‘users.id‘, ‘=‘, ‘orders.user_id‘)     .select(‘users.id‘, ‘contacts.phone‘, ‘orders.price‘)     .get()

左连接操作left join

db.table(‘users‘).left_join(‘posts‘, ‘users.id‘, ‘=‘, ‘posts.user_id‘).get()

可以使用更高级的连表用法

clause = JoinClause(‘contacts‘).on(‘users.id‘, ‘=‘, ‘contacts.user_id‘).or_on(...)

db.table(‘users‘).join(clause).get()

还可以加入where等条件

clause = JoinClause(‘contacts‘).on(‘users.id‘, ‘=‘, ‘contacts.user_id‘).where(‘contacts.user_id‘, ‘>‘, 5)

db.table(‘users‘).join(clause).get()

where高级用法

有时候我们需要一些where更高级的用法,这些我们在orator中得以实现。

参数分组

db.table(‘users‘)     .where(‘name‘, ‘=‘, ‘John‘)     .or_where(
        db.query().where(‘votes‘, ‘>‘, 100).where(‘title‘, ‘!=‘, ‘admin‘)
    ).get()

这个查询的sql将是这样。

SELECT * FROM users WHERE name = ‘John‘ OR (votes > 100 AND title != ‘Admin‘)

存在查询

db.table(‘users‘).where_exists(
    db.table(‘orders‘).select(db.raw(1)).where_raw(‘order.user_id = users.id‘)
)

这个查询的sql将是这样。

SELECT * FROM users
WHERE EXISTS (
    SELECT 1 FROM orders WHERE orders.user_id = users.id
)

聚合查询

这个查询构造器提供了聚合查询。例如:count, max, min, avg, sum

users = db.table(‘users‘).count()

price = db.table(‘orders‘).max(‘price‘)

price = db.table(‘orders‘).min(‘price‘)

price = db.table(‘orders‘).avg(‘price‘)

total = db.table(‘users‘).sum(‘votes‘)

原生表达式

有时候我们会用到原生表达式,但是要小心sql注入。我们可以使用raw方法,创建一个原生表达式。

db.table(‘users‘)     .select(db.raw(‘count(*) as user_count, status‘))     .where(‘status‘, ‘!=‘, 1)     .group_by(‘status‘)     .get()

插入数据insert

往表中插入数据。

db.table(‘users‘).insert(email=‘[email protected]‘, votes=0)

db.table(‘users‘).insert({
    ‘email‘: ‘[email protected]‘,
    ‘votes‘: 0
})

插入一条记录,并获取自增id。

db.table(‘users‘).insert([
    {‘email‘: ‘[email protected]‘, ‘votes‘: 0},
    {‘email‘: ‘[email protected]‘, ‘votes‘: 0}
])

更新数据update

更新表中数据。

db.table(‘users‘).where(‘id‘, 1).update(votes=1)

db.table(‘users‘).where(‘id‘, 1).update({‘votes‘: 1})

增加或减少某一列的值。

db.table(‘users‘).increment(‘votes‘)  # Increment the value by 1

db.table(‘users‘).increment(‘votes‘, 5)  # Increment the value by 5

db.table(‘users‘).decrement(‘votes‘)  # Decrement the value by 1

db.table(‘users‘).decrement(‘votes‘, 5)  # Decrement the value by 5

指定增加某一行记录的值。

db.table(‘users‘).increment(‘votes‘, 1, name=‘John‘)

删除数据delete

删除数据。

db.table(‘users‘).where(‘age‘, ‘<‘, 25).delete()

删除所有的数据。

db.table(‘users‘).delete()

清空表数据

db.table(‘users‘).truncate()

合并unions

这个查询构造器提供了合并两个查询的方法。

first = db.table(‘users‘).where_null(‘first_name‘)

users = db.table(‘users‘).where_null(‘last_name‘).union(first).get()

注:使用union_all也可以。

悲观锁

这个查询构造器有一些方法,来帮助在查询中我们实现悲观共享锁。

db.table(‘users‘).where(‘votes‘, ‘>‘, 100).shared_lock().get()
db.table(‘users‘).where(‘votes‘, ‘>‘, 100).lock_for_update().get()

原文地址:https://www.cnblogs.com/yxhblogs/p/9784706.html

时间: 2024-11-09 02:41:01

Python短小精悍的Orator查询构造器的相关文章

Python版的数据库查询构造器、ORM及动态迁移数据表。

Orator Orator提供一个简单和方便的数据库数据处理库. 它的灵感来源于PHP的Laravel框架,借助其思想实现了python版的查询构造器和ORM. 这是完整的文档:http://orator-orm.com/docs 安装 你可以有两种不同的安装方式. 使用pip安装. pip install orator 使用官方的源码安装(https://github.com/sdispater/orator) 基本使用 配置 你需要开始配置数据库连接,及创建一个DatabaseManager

10 行 Python 代码实现模糊查询/智能提示

10 行 Python 代码实现模糊查询/智能提示 1.导语: 模糊匹配可以算是现代编辑器(如 Eclipse 等各种 IDE)的一个必备特性了,它所做的就是根据用户输入的部分内容,猜测用户想要的文件名,并提供一个推荐列表供用户选择. 样例如下: Vim (Ctrl-P) Sublime Text (Cmd-P) '模糊匹配'这是一个极为有用的特性,同时也非常易于实现. 2.问题分析: 我们有一堆字符串(文件名)集合,我们根据用户的输入不断进行过滤,用户的输入可能是字符串的一部分.我们就以下面的

python用正则表达式怎么查询unicode码字符

import re data = open('a.txt') fh = open('b.txt', 'w') """Search the string begining with '['""" p = re.compile(r'\s*[\u3010]') for each_d in data: if re.match('\s*3\d{4}', each_d): each_d = each_d.strip() print(each_d + ': '

[Laravel框架学习二]:Laravel的CURD和查询构造器的CURD,以及聚合函数

1 public function index() 2 { 3 4 //return Member::getMember();//这是调用模型的方法 5 6 return view('lpc',[ 7 'age'=>18, 8 'name'=>'PengchongLee', 9 ]); 10 } 11 public function test()//一个方法得设置一个路由 12 { 13 //echo 1;//测试路由 14 15 //新增数据 16 //$data = DB::insert(

八、Python Django数据库添加查询

Python Django数据库添加查询 对数据进行操作 一.创建记录 # pwd /root/csvt03 # ipython manage.py shell In [1]: from blog.models import Employee #(第一种方法) In [2]: Employee Out[2]: blog.models.Employee In [3]: emp = Employee() In [4]: emp.name = 'Alen' In [5]: emp.save() #(第

【python爬虫】根据查询词爬取网站返回结果

最近在做语义方面的问题,需要反义词.就在网上找反义词大全之类的,但是大多不全,没有我想要的.然后就找相关的网站,发现了http://fanyici.xpcha.com/5f7x868lizu.html,还行能把"老师"-"学生","医生"-"病人"这样对立关系的反义词查出来. 一开始我想把网站中数据库中存在的所有的词语都爬出来(暗网爬虫),但是分析了url的特点: http://fanyici.xpcha.com/5f7x86

Python札记 -- MongoDB模糊查询

最近在使用MongoDB的时候,遇到了使用多个关键词进行模糊查询的场景.竹风使用的是mongoengine库. 查了各种资料,最后总结出比较好用的方法.先上代码,后面进行详细说明.如下: 1 #!/usr/bin/env python 2 #coding:utf-8 3 4 import re 5 import mongoengine 6 from mongoengine import * 7 8 mongoengine.register_connection('default', 'test'

ThinkPHP6.0在phpstorm添加查询构造器和模型的代码提示

ThinkPHP6.0升级后  使用查询构造器和模型都没有了提示 原因是tp6源码中没有添加注释 找到Model.php 添加 * @method Query where(mixed $field, string $op = null, mixed $condition = null) static 查询条件 * @method Query whereTime(string $field, string $op, mixed $range = null) static 查询日期和时间 * @me

python,django,mysql版本号查询

1. ubuntu 下如何查询子集的mysql版本: 方法一: 登录子集的mysql之后就会显示mysql版本: ***:~$ mysql -u root -p Enter password: Welcome to the MySQL monitor. Commands end with ; or \g. Your MySQL connection id is 40 Server version: 5.5.41-0ubuntu0.14.10.1 (Ubuntu) #这就是版本号 Copyrigh