计算两个数据帧之间的Haversine距离

时间:2017-10-02 20:49:36

标签: python pandas dataframe haversine

我有两个数据框df1df2,每个都包含纬度和经度数据。对于df1中的每个观察,我想使用haversine函数来计算df2中每个点之间的距离。我尝试了两种方法,但性能成为较大数据集的问题。

In [1]: import pandas as pd
        import numpy as np
        from haversine import haversine

In [2]: df1 = pd.DataFrame({'lat_long': [(25.99550273, 179.18526021), (76.24387873, -34.21956936), (-51.43773064, -113.93795667)]})
        df2 = pd.DataFrame({'lat_long': [(22.89956242, 107.04009984), (-80.25375578, -92.05425401), (-0.81621289, -147.26962084), (0,0)]})

In [3]: # method 1: iterate through rows
        for i in df1['lat_long']:
            for j in df2['lat_long']:
                print(haversine(i,j))

7215.01729234
12830.1178484
4673.37638582
17123.1981646
8678.49300206
17721.004245
10690.0998826
8746.62635254
15294.1258757
3303.30690512
6434.34272913
11636.6462421

In [4]: # method 2: create one dataframe and then perform calculation
        df1_dup = df1.append([df1]*(len(df2)-1), ignore_index=True)
        df2_dup = df2.append([df2]*(len(df1)-1), ignore_index=True)
        df = pd.DataFrame({'lat_long_df1': df1_dup.sort_values('lat_long')['lat_long'],'lat_long_df2': df2_dup['lat_long']})
        print(df.apply(lambda x: haversine(x['lat_long_df1'], x['lat_long_df2']), axis=1))

0      7215.017292
1     17721.004245
2      6434.342729
3     17123.198165
4      8678.493002
5      3303.306905
6      4673.376386
7      8746.626353
8     15294.125876
9     12830.117848
10    10690.099883
11    11636.646242
dtype: float64

有关替代方法的任何想法可以更好地使用更大的数据帧吗?

1 个答案:

答案 0 :(得分:2)

如果您正在寻找更高效的合并,您可以在代理列上进行交叉联接:

temp = df1.assign(A=1).merge(df2.assign(A=1), on='A').drop('A', 1) 
temp
                       lat_long_x                    lat_long_y
0     (25.99550273, 179.18526021)   (22.89956242, 107.04009984)
1     (25.99550273, 179.18526021)  (-80.25375578, -92.05425401)
2     (25.99550273, 179.18526021)  (-0.81621289, -147.26962084)
3     (25.99550273, 179.18526021)                        (0, 0)
4     (76.24387873, -34.21956936)   (22.89956242, 107.04009984)
5     (76.24387873, -34.21956936)  (-80.25375578, -92.05425401)
6     (76.24387873, -34.21956936)  (-0.81621289, -147.26962084)
7     (76.24387873, -34.21956936)                        (0, 0)
8   (-51.43773064, -113.93795667)   (22.89956242, 107.04009984)
9   (-51.43773064, -113.93795667)  (-80.25375578, -92.05425401)
10  (-51.43773064, -113.93795667)  (-0.81621289, -147.26962084)
11  (-51.43773064, -113.93795667)                        (0, 0)

temp.apply(lambda x: haversine(x['lat_long_x'], x['lat_long_y']), 1)
0      7215.017292
1     12830.117848
2      4673.376386
3     17123.198165
4      8678.493002
5     17721.004245
6     10690.099883
7      8746.626353
8     15294.125876
9      3303.306905
10     6434.342729
11    11636.646242
dtype: float64

您可以将高性能合并与this question的答案相结合,以获得更好的速度提升。您还应该考虑将纬度/经度数据保存在不同的列中。