根据经纬度计算当前距离
时间: 2023-08-31 10:05:21 浏览: 216
可以使用 Haversine 公式来计算两个经纬度之间的距离。Haversine 公式是一种计算球面上两点之间距离的公式,适用于计算地球上两点间的距离。
下面是一个 Python 实现 Haversine 公式的示例代码:
```python
import math
def distance(lat1, lon1, lat2, lon2):
R = 6371 # 地球半径,单位为千米
dlat = math.radians(lat2 - lat1)
dlon = math.radians(lon2 - lon1)
a = math.sin(dlat / 2) * math.sin(dlat / 2) + math.cos(math.radians(lat1)) \
* math.cos(math.radians(lat2)) * math.sin(dlon / 2) * math.sin(dlon / 2)
c = 2 * math.atan2(math.sqrt(a), math.sqrt(1 - a))
d = R * c
return d
```
其中,`lat1` 和 `lon1` 是第一个点的纬度和经度,`lat2` 和 `lon2` 是第二个点的纬度和经度,返回值单位为千米。
例如,计算两个坐标点之间的距离:
```python
distance(31.2304, 121.4737, 39.9042, 116.4074) # 上海和北京的距离
```
输出结果为:
```
1060.5731639614362
```
表示上海和北京之间的距离为 1060.57 千米。
阅读全文