SQLAlchemy - How can I make eager loading count property

后端 未结 2 991
北荒
北荒 2021-02-15 02:11

I want to make a property for model which contains count.

Since I always need the property, I want to make query with JOIN like sqlalchemy.orm.relatio

相关标签:
2条回答
  • 2021-02-15 02:54

    Please take a look at the Hybrid Attribute extension.

    Your object model will look similar to the below:

    class Foo(Base):
        __tablename__ = 'foo'
        id = Column(Integer, primary_key=True)
        bar_id = Column(Integer, ForeignKey('bar.id'))
        bar = relationship('Bar')
    
    class Bar(Base):
        __tablename__ = 'bar'
        id = Column(Integer, primary_key=True)
    
        @hybrid_property
        def foo_count(self):
            return object_session(self).query(Foo).filter(Foo.bar==self).count()
    
        @foo_count.expression
        def foo_count(cls):
            return select([func.count(Foo.id)]).where(Foo.bar_id == cls.id).label('foo_count')
    

    foo_count will not be eagerly loaded, but you can use it in queries like below (both in SELECT and in WHERE clause:

    qry = session.query(Bar, Bar.foo_count).filter(Bar.foo_count > 0)
    for (bar, bar_foo_count) in qry:
        print bar, bar_foo_count
    

    As you can see, the query will return tuples of (Bar, foo_count) in just one query, and now you can do what you wish with that.

    0 讨论(0)
  • 2021-02-15 03:12

    I solved it by using sqlalchemy.orm.column_property

    I replaced the foo_count by following

    import sqlalchemy as s, func, select
    from sqlalchemy.orm import relationship, column_property
    
    # ...
    
    class Foo(Base):
        __tablename__ = 'foo'
        id = s.Column(s.Integer, primary_key=True)
        bar_id = s.Column(s.Integer, s.ForeignKey('bar.id'))
        bar = relationship('Bar')
    
    
    class Bar(Base):
        __tablename__ = 'bar'
        id = s.Column(s.Integer, primary_key=True)
    
        foo_count = column_property(
            select([func.count(Foo.id)])
            .where(Foo.bar_id == id)
        )
    
    0 讨论(0)
提交回复
热议问题