当前位置 : 主页 > 编程语言 > python >

python – 在SQL Alchemy中过滤关系

来源:互联网 收集:自由互联 发布时间:2021-06-25
我有以下场景: class Author(Base): __tablename__ = 'author' id = Column(Integer, primary_key = True) name = Column(String) books = relationship('Books', backref='author')class Book(Base): __tablename__ = 'book' id = Column(Integer, p
我有以下场景:

class Author(Base):
  __tablename__ = 'author'

  id    = Column(Integer, primary_key = True)
  name  = Column(String)

  books = relationship('Books', backref='author')


class Book(Base):
  __tablename__ = 'book'

  id    = Column(Integer, primary_key = True)
  title = Column(String)

我想要做的是加载所有拥有包含SQL的书的作者
标题.即

authors = session.query(Author)\
                 .join(Author.books)\
                 .filter(Book.title.like('%SQL%')\
                 .all()

看似简单.

我想做的是迭代作者并展示他们的作品
图书.我希望在访问作者[0] .books时,它只会返回
在其标题中包含“SQL”的书籍.但是,我正在分配所有书籍
那个作者.过滤器应用于作者列表,但不适用于作者列表
我访问这段关系的书.

我如何构建我的查询,以便我过滤关系(即
书籍),当我去访问那种关系时,仍然会应用过滤?

请阅读 Routing Explicit Joins/Statements into Eagerly Loaded Collections.然后使用 contains_eager,您可以构建查询并获得您想要的内容:

authors = (
        session.query(Author)
        .join(Author.books)
        .options(contains_eager(Author.books)) # tell SA that we load "all" books for Authors
        .filter(Book.title.like('%SQL%'))
    ).all()

请注意,您实际上是在欺骗sqlalchemy认为它已经加载了所有的Author.books集合,因此您的会话将知道有关世界真实状态的虚假信息.

网友评论