1

我有一个带有地址列表的xml,我正在尝试遍历它们并使用geopy提取信息(即:纬度、经度、距离等),但我不断收到此错误:AttributeError:'NoneType'对象有没有属性“地址”。继承人的代码,如果有人有任何想法:

import xml.etree.ElementTree as et
import urllib, json
from geopy.geocoders import Nominatim

geolocator = Nominatim()
root = et.parse('data.xml').getroot()

for child in root:
    adress = child.find('adress').text + ' beer sheva'
    location = geolocator.geocode(adress)
    print location.address # i'm trying to acces some information here.

对于 xml 文件的示例:

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<ShelterInfo xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
    <Shelter>
        <adress>אחד העם 21</adress>
        <code>1 - א</code>
        <neighborhood>א</neighborhood>
    </Shelter>
    <Shelter>
        <adress>13 שלח</adress>
        <code>10 - א</code>
        <neighborhood>א</neighborhood>
    </Shelter>
    <Shelter>
        <adress>ביאליק</adress>
        <code>11 - א</code>
        <neighborhood>א</neighborhood>
    </Shelter>

正如您所知道的地址是希伯来语,但它不应该造成问题。对于第一个地址,一切正常,但后来我得到了错误。我猜这与我遍历 xml 文件的方式有关,有什么想法吗?

非常感谢!

4

1 回答 1

1

首先,我将使用这些来处理您的 TimedOut 错误,而不是 Nominatim。

from geopy import geocoders
from geopy.exc import GeocoderTimedOut

还可以使用 Google Developers Console 注册 API 密钥。它将您每天的查询限制为 2,500 次,但这对于您的 262 地址应该不是问题。完成后,您可以使用以下内容非常简单地进行地理编码。

g = geocoders.GoogleV3(api_key='yourApiKeyHere')
location = g.geocode(address, timeout=10)
print(location.address)

或者您也可以单独查看经度和纬度。

print(location.longitude, location.latitude)

这个版本比 Nomatims 更好地处理不正确的数据,但您仍然应该将所有内容放入几个 try/except 块中以确保。所以你的最终代码应该是这样的。

g = geocoders.GoogleV3(api_key='yourApiKeyHere')
try:
    location = g.geocode(address, timeout=10)
    print(location.address)
except AttributeError:
    print("Problem with data or cannot Geocode."
except GeocoderTimedOut:
    # possibly use recursion to have it run until it no longer runs into a timeout error

希望能帮助到你!干杯!

于 2018-01-31T04:15:08.187 回答