0

次のような単純なモデルがいくつかあります。

class StoreImage(Base):
    imagepath = Column(Text, nullable=False)
    store_id = Column(Integer, ForeignKey('store.id'), nullable=False)
    store = relationship('Store')

class Store(Base):
    status = Column(Enum('published', 'verify', 'no_position',
                         name='store_status'),
                    nullable=False, default='verify')
    type = Column(Enum('physical', 'web', name='store_type'),
                  nullable=False, default='physical')
    name = Column(Text, nullable=False)
    street = Column(Text)
    postal_code = Column(Text)
    city = Column(Text)
    country = Column(Text)
    phone_number = Column(Text)
    email = Column(Text)
    website = Column(Text)
    location = Column(Geometry(geometry_type='POINT', srid=4326))
    is_flagship = Column(Boolean, default=False)
    images = relationship(StoreImage)

今、私がやりたいのは、次のようなクエリです。

q = Store.query.filter(Store.is_flagship == True).with_entities(
    Store.id,
    Store.status,
    Store.slug,
    Store.type,
    Store.name,
    Store.street,
    Store.postal_code,
    Store.city,
    Store.country,
    Store.phone_number,
    Store.email,
    Store.website,
    func.ST_AsGeoJSON(Store.location).label('location'),
    Store.images,
)

クエリは機能しますが、すべての行をStore.images返すだけです。インスタンス/KeyedTuplesTrueのリストを返すようにするにはどうすればよいですか?StoreImage

Store.query主に、GeoJSON形式で場所を返す方法が他に見つからないため、この方法でやりたいと思っています。

編集:私にとっての1つの解決策はStore、クエリからインスタンスを返しlocation、宣言されたモデルまたは可能であれば他の方法でGeoJSONを追加することです。ただし、これを行う方法がわかりません。

4

1 に答える 1

1

現在のクエリは間違った値を返すだけでなく、実際には間違った行数を返します。これは、両方のテーブルのデカルト積を実行するためです。
また、列名を上書きしませんlocationgeo_locationそのため、以下のコードで使用します。

おっしゃるとおり、イメージをプリロードするには、Storeインスタンス全体をクエリする必要があります。たとえば、次のクエリのようにします。

q = (session.query(Store)
        .outerjoin(Store.images) # load images
        .options(contains_eager(Store.images)) # tell SA that we hav loaded them so that it will not perform another query
        .filter(Store.is_flagship == True)
    ).all()

2 つを組み合わせるには、次の操作を実行できます。

q = (session.query(Store, func.ST_AsGeoJSON(Store.location).label('geo_location'))
        .outerjoin(Store.images) # load images
        .options(contains_eager(Store.images)) # tell SA that we hav loaded them so that it will not perform another query
        .filter(Store.is_flagship == True)
    ).all()

# patch values in the instances of Store:
for store, geo_location in q:
    store.geo_location = geo_location

編集-1:または、使用してみてくださいcolumn_property

class Store(...):
    # ...
    location_json = column_property(func.ST_AsGeoJSON(location).label('location_json'))

    q = (session.query(Store).label('geo_location'))
            .outerjoin(Store.images) # load images
            .options(contains_eager(Store.images)) # tell SA that we hav loaded them so that it will not perform another query
            .filter(Store.is_flagship == True)
        ).all()
    for store in q:
        print(q.location_json)
        print(len(q.images))
于 2014-08-07T09:47:53.327 に答える