我想使用 Overpass API 查找特定区域中的所有酒吧,并使用 geocodeArea 选择区域。
在 overpass-turbo.eu 上测试以下查询给了我想要的结果:
{{geocodeArea:berlin}}->.searchArea;
(
node["amenity"="pub"](area.searchArea);
way["amenity"="pub"](area.searchArea);
relation["amenity"="pub"](area.searchArea);
);
out body;
>;
out skel qt;
但是当我使用 overpy 在 python 中实现该查询时......
import overpy
api = overpy.Overpass()
result = api.query("""
{{geocodeArea:berlin}}->.searchArea;
(
node["amenity"="pub"](area.searchArea);
way["amenity"="pub"](area.searchArea);
relation["amenity"="pub"](area.searchArea);
);
out body;
>;
out skel qt;
""")
print("Amenities in nodes: %d" % len(result.nodes))
print("Amenities in ways: %d" % len(result.ways))
...我收到以下错误:
Traceback (most recent call last):
File "testOP.py", line 15, in <module>
""")
File "/usr/local/lib/python2.7/dist-packages/overpy/__init__.py", line 119, in query
msgs=msgs
overpy.exception.OverpassBadRequest: Error: line 2: parse error: Unknown type "{"
Error: line 2: parse error: An empty query is not allowed
Error: line 2: parse error: ';' expected - '{' found.
我猜这个问题与双花括号有关,但到目前为止逃避它们和其他变化并没有帮助。
Nominatim 的可能解决方案
感谢@scai,我现在知道,使用 {{geocodeArea:xxx}} 立交桥 turbo 只会发出地理编码请求。我决定自己使用 geopy 和 Nominatim 在我的程序中实现它:
from geopy.geocoders import Nominatim
import overpy
city_name = "berlin"
# Geocoding request via Nominatim
geolocator = Nominatim(user_agent="city_compare")
geo_results = geolocator.geocode(city_name, exactly_one=False, limit=3)
# Searching for relation in result set
for r in geo_results:
print(r.address, r.raw.get("osm_type"))
if r.raw.get("osm_type") == "relation":
city = r
break
# Calculating area id
area_id = int(city.raw.get("osm_id")) + 3600000000
# Excecuting overpass call
api = overpy.Overpass()
result = api.query("""
area(%s)->.searchArea;
(
node["amenity"="pub"](area.searchArea);
way["amenity"="pub"](area.searchArea);
relation["amenity"="pub"](area.searchArea);
);
out body;
""" % area_id)
# Printing no. of pubs in nodes and ways
print("Amenities in nodes: %d" % len(result.nodes))
print("Amenities in ways: %d" % len(result.ways))
编码 ...
这不是一个非常干净的解决方案,我想知道是否可以直接使用第一个结果(主要是城市)用于我的目的。仍然欢迎提示。
最佳答案
{{geocodeArea: xxx }}
是 overpass turbo 的一个特殊功能,而不是 Overpass API 的一部分。 overpy 直接使用 Overpass API,这意味着你不能使用这个关键字。
然而 {{geocodeArea: xxx }}
只是告诉 overpass turbo 执行地理编码请求,即将地址转换为地理位置。你也可以这样做,例如通过调用 Nominatim、Photon 或任何其他地理编码器。
关于python - 如何获得 {{geocodeArea : xxx }} query to work in python using overpy?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52236655/