如何从geoalchemy2的查询结果中获取lng lat值

问题描述 投票:0回答:5

例如,

class Lake(Base):
     __tablename__ = 'lake'
     id = Column(Integer, primary_key=True)
     name = Column(String)
     geom = Column(Geometry('POLYGON'))
     point = Column(Geometry('Point'))


lake = Lake(name='Orta', geom='POLYGON((3 0,6 0,6 3,3 3,3 0))', point="POINT(2 9)")
query = session.query(Lake).filter(Lake.geom.ST_Contains('POINT(4 1)'))
for lake in query:
     print lake.point

它回来了

<WKBElement at 0x2720ed0; '010100000000000000000000400000000000002240'>

我也尝试过做lake.point.ST_X(),但它也没有给出预期的纬度

将值从 WKBElement 转换为可读且有用的格式(例如(lng,lat))的正确方法是什么?

谢谢

python sqlalchemy postgis geoalchemy2
5个回答
14
投票

您可以使用 shapely 解析 WKB(众所周知的二进制)点,甚至其他几何形状。

from shapely import wkb
for lake in query:
    point = wkb.loads(bytes(lake.point.data))
    print point.x, point.y

5
投票

http://geoalchemy-2.readthedocs.org/en/0.2.4/spatial_functions.html#geoalchemy2.functions.ST_AsText就是您正在寻找的。这将返回“POINT (lng, lat)”。不过,ST_X 应该可以工作,因此如果它没有返回正确的值,您可能会遇到另一个问题。


0
投票

扩展约翰的答案,您可以在像这样查询时使用

ST_AsText()
-

import sqlalchemy as db
from geoalchemy2 import Geometry
from geoalchemy2.functions import ST_AsText

# connection, table, and stuff here...

query = db.select(
    [
        mytable.columns.id,
        mytable.columns.name,
        ST_AsText(mytable.columns.geolocation),
    ]
)

在此处查找有关使用函数的更多详细信息 - https://geoalchemy-2.readthedocs.io/en/0.2.6/spatial_functions.html#module-geoalchemy2.functions


0
投票

使用匀称。

from shapely import wkb
for lake in query:
    point = wkb.loads(lake.point.data.tobytes())

    latitude = point.y
    longitude = point.x

来源https://stackoverflow.com/a/30203761/5806017


0
投票

我是按照下面的方法做的


class BusDepotGeoFence(models.Base):
    __tablename__ = "bus_geofence_data"

    id = Column(Integer, primary_key=True)
    area = Column(Geometry("POLYGON"))

查询部分如下

    query = select(ST_AsGeoJSON(BusDepotGeoFence.area).label("area"))
    results = await db.execute(query)
    results = results.fetchall()
    results = [i[0] for i in results]
    results = [json.loads(result) for result in results]

© www.soinside.com 2019 - 2024. All rights reserved.