正如手册中所建议的,您需要以某种格式“导出”您的距离/文森特。比如像这样:
> from geopy.distance import vincenty
> newport_ri = (41.49008, -71.312796)
> cleveland_oh = (41.499498, -81.695391)
> print(vincenty(newport_ri, cleveland_oh).miles)
538.3904451566326
你vincenty
不能自己处理,因为(正如你已经提到的)它是一个不支持数学操作数的地理对象。您需要提取数据对象内的值,例如使用.miles
. 有关其他可能的值,请参阅完整文档:GeoPy 文档
查看类型的差异:
> type(vincenty(newport_ri, cleveland_oh))
geopy.distance.vincenty
> type(vincenty(newport_ri, cleveland_oh).miles)
float
现在你可以用这个来计算:
> vincenty(newport_ri, cleveland_oh).miles
538.3904451566326
> vincenty(newport_ri, cleveland_oh).miles * 2
1076.7808903132652
或者,如果你真的需要一个 numpy 数组:
> np.array(vincenty(newport_ri, cleveland_oh).miles)
array(538.3904451566326)
> type(np.array(vincenty(newport_ri, cleveland_oh).miles))
numpy.ndarray
编辑:请注意,您甚至可以使用 NumPy 的内置dtype
参数强制它的数据类型:
> np.array(vincenty(newport_ri, cleveland_oh).miles, dtype=np.float32)
array(538.3904418945312, dtype=float32)
> np.array(vincenty(newport_ri, cleveland_oh).miles, dtype=np.float64)
array(538.3904451566326) # dtype=float64, default type here
> np.array(vincenty(newport_ri, cleveland_oh).miles, dtype=np.int32)
array(538, dtype=int32)
如果您要存储/加载大量数据但始终只需要一定的精度,这可能会有所帮助。