我使用SQLAlchemy以编程方式查询具有复合外键的表。 e.g:
CREATE TABLE example (
id INT NOT NULL,
date TIMESTAMP NOT NULL,
data VARCHAR(128)
PRIMARY KEY (id, date)
)
我希望获取值列表并获取行数,例如:
interesting_data = (
(1, '2016-5-1'),
(1, '2016-6-1'),
(2, '2016-6-1'),
(3, '2016-5-1'),
(3, '2016-6-1'),
)
select(
[example.c.id, example.c.date, example.c.data],
).where(example.primary_key.in_(interesting_data)
如果每列都是独立的,我可以
interesting_ids = [1,2,3]
interesting_dates = ['2016-5-1', '2016-6-1']
select(
[example.c.id, example.c.date, example.c.data],
).where(
example.c.id.in_(interesting_ids)
).where(
example.c.date.in_(interesting_dates)
)
但这显然无法仅带来唯一匹配(id,date)元组。我怀疑有一种方法可以指定要查询的复合主键,但在搜索后我找不到任何文档。
答案 0 :(得分:3)
在where子句中使用列表推导:
from sqlalchemy import and_, or_, select
stmt = select(
[example.c.id, example.c.date, example.c.data]
).where(or_(and_(example.c.id==data[0], example.c.date==data[1])
for data in interesting_data))
但是,我注意到的另一个问题是您将日期列与字符串数据类型进行比较。 interesting_data
列表应为
import datetime as dt
interesting_data = (
(1, dt.date(2016,5,1)),
(1, dt.date(2016,6,1)),
(2, dt.date(2016,6,1)),
(3, dt.date(2016,6,1)),
(3, dt.date(2016,6,1)),
)
另外,请注意,可以创建一个基本语句,然后逐步向其添加子句,从而导致(希望)更好的易读性和代码重用。
所以,可以将上面的内容写成
base_stmt = select([example.c.id, example.c.date, example.c.data])
wheres = or_(and_(example.c.id==data[0], example.c.date==data[1])
for data in interesting_data))
stmt = base_stmt.where(wheres)
这会生成以下sql(由我添加的新行和空格):
SELECT example.id, example.date, example.data
FROM example
WHERE
example.id = :id_1 AND example.date = :date_1
OR example.id = :id_2 AND example.date = :date_2
OR example.id = :id_3 AND example.date = :date_3
OR example.id = :id_4 AND example.date = :date_4
OR example.id = :id_5 AND example.date = :date_5
注意:如果要像这样过滤很多行,创建临时表,从interesting_data
将行插入此临时表可能更有效,然后内连接到此表,而不是添加如上所示的where子句。
答案 1 :(得分:1)
假设您的模型类名为Example
,其中(id,date)是复合主键:
您可以使用以下任一方法进行查询:
import sqlalchemy
...
Example.query.get((id, date))
或
import sqlalchemy
from sqlalchemy.orm import sessionmaker
...
engine = sqlalchemy.create_engine('postgresql://user:pass@localhost/db_name')
session = sessionmaker(bind=engine)()
session.query(Example).get((id, date))