Peewee 简明教程
Peewee - Relationships and Joins
Peewee 支持实现不同类型的 SQL JOIN 查询。它的 Model 类有一个 join() 方法,它会返回一个 Join 实例。
M1.joint(m2, join_type, on)
join 表将 M1 模型映射到 m2 模型,并返回 Join 类实例。on 参数默认是 None,它是一个用作连接谓词的表达式。
Join Types
Peewee 支持以下 Join 类型(默认为 INNER)。
-
JOIN.INNER
-
JOIN.LEFT_OUTER
-
JOIN.RIGHT_OUTER
-
JOIN.FULL
-
JOIN.FULL_OUTER
-
JOIN.CROSS
为了演示 join() 方法的用法,首先声明以下模型:
db = SqliteDatabase('mydatabase.db')
class BaseModel(Model):
class Meta:
database = db
class Item(BaseModel):
itemname = TextField()
price = IntegerField()
class Brand(BaseModel):
brandname = TextField()
item = ForeignKeyField(Item, backref='brands')
class Bill(BaseModel):
item = ForeignKeyField(Item, backref='bills')
brand = ForeignKeyField(Brand, backref='bills')
qty = DecimalField()
db.create_tables([Item, Brand, Bill])
Tables
接着,使用以下测试数据填充这些表:
Bill Table
bill 表如下:
若要在 Brand 和 Item 表之间执行一个简单的连接操作,请执行以下代码:
qs=Brand.select().join(Item)
for q in qs:
print ("Brand ID:{} Item Name: {} Price: {}".format(q.id, q.brandname, q.item.price))
最终输出如下:
Brand ID:1 Item Name: Dell Price: 25000
Brand ID:2 Item Name: Epson Price: 12000
Brand ID:3 Item Name: HP Price: 25000
Brand ID:4 Item Name: iBall Price: 4000
Brand ID:5 Item Name: Sharp Price: 12000
Joining Multiple Tables
我们有一个 Bill 模型,它与 item 和 brand 模型有两个外键关系。若要从所有三个表中获取数据,请使用以下代码:
qs=Bill.select().join(Brand).join(Item)
for q in qs:
print ("BillNo:{} Brand:{} Item:{} price:{} Quantity:{}".format(q.id, \
q.brand.brandname, q.item.itemname, q.item.price, q.qty))
基于我们的测试数据,将显示以下输出:
BillNo:1 Brand:HP Item:Laptop price:25000 Quantity:5
BillNo:2 Brand:Epson Item:Printer price:12000 Quantity:2
BillNo:3 Brand:iBall Item:Router price:4000 Quantity:5