我有模型A
和B
,使用引用模型secondary
的{{1}}参数以多对多关系连接(关联表)
使用AB
将生成查询:
query(A).options(joinedload(A.b))
但是我想要在联接上有额外的条件(不使用WHERE!),以便过滤SELECT ...
FROM a
LEFT OUTER JOIN (a_b AS a_b_1 JOIN b ON b.id = a_b_1.b_id) ON a.id = a_b_1.a_id
中的某个标志。所以就像这样:
B
如何使用SQL Alchemy做到这一点?
答案 0 :(得分:0)
您可以将and_()表达式与 .outerjoin()一起使用。只是两个模型的一个例子:
from sqlalchemy import and_
class A(Base):
__tablename__ = 'a'
id = Column(Integer, primary_key=True)
class B(Base):
__tablename__ = 'b'
id = Column(Integer, primary_key=True)
a_id = Column(Integer)
flag = Column(String)
a = A()
session.add(a)
session.commit()
# just a few records. without flag + with flag
b1 = B(a_id=a.id)
b2 = B(a_id=a.id, flag='Cs_Is_Better')
session.add(b1)
session.add(b2)
session.commit()
query = session.query(A).outerjoin(B, (and_(A.id == B.a_id, B.flag == 'Cs_Is_Better')))
print(query)
# SELECT a.id AS a_id
# FROM a LEFT OUTER JOIN b ON a.id = b.a_id AND b.flag = %(flag_1)s
print(query.all()) # [<__main__.A object at 0x112fb4780>]
所以只需将任何条件添加到outerjoin
:
.outerjoin(ModelName, (and_(...))
希望这会有所帮助。