通过两个Pandas DataFrame加速嵌套for循环

时间:2017-10-04 19:37:48

标签: python performance pandas nested nested-loops

我有一个纬度和经度存储在pandas数据框(df)中,填充点为NaN stop_id, stoplat, stoplon,而另一个数据框areadf包含更多lats / lons和任意id;这是要填充到df的信息。

我正在尝试连接这两个,以便df中的停止列包含最接近该纬度/经度点的停靠点的信息,或者如果没有停止则将其保留为NaN该点的半径R.

现在我的代码如下,但是我需要花费相当长的时间(此时我正在运行的时间超过40分钟,然后将区域更改为df并使用itertuples;不确定差异的大小这会产生?)因为每组数据有数千个lat / lon点和停止点,这是一个问题,因为我需要在多个文件上运行它。我正在寻找建议让它运行得更快。我已经做了一些非常小的改进(例如,移动到数据框,使用迭代代替iterrows,在循环外定义拉特和lons以避免在每个循环中从df检索它)但我没有想法加快速度。 getDistance使用定义的Haversine公式来获取停止符号和给定lat,lon点之间的距离。

import pandas as pd
from math import cos, asin, sqrt

R=5
lats = df['lat']
lons = df['lon']
for stop in areadf.itertuples():
    for index in df.index:
        if getDistance(lats[index],lons[index],
                       stop[1],stop[2]) < R:
            df.at[index,'stop_id'] = stop[0] # id
            df.at[index,'stoplat'] = stop[1] # lat
            df.at[index,'stoplon'] = stop[2] # lon

def getDistance(lat1,lon1,lat2,lon2):
    p = 0.017453292519943295     #Pi/180
    a = (0.5 - cos((lat2 - lat1) * p)/2 + cos(lat1 * p) * 
         cos(lat2 * p) * (1 - cos((lon2 - lon1) * p)) / 2)
    return 12742 * asin(sqrt(a)) * 100

示例数据:

df
lat        lon         stop_id    stoplat    stoplon
43.657676  -79.380146  NaN        NaN        NaN
43.694324  -79.334555  NaN        NaN        NaN

areadf
stop_id    stoplat    stoplon
0          43.657675  -79.380145
1          45.435143  -90.543253

所需:

df
lat        lon         stop_id    stoplat    stoplon
43.657676  -79.380146  0          43.657675  -79.380145
43.694324  -79.334555  NaN        NaN        NaN

1 个答案:

答案 0 :(得分:1)

一种方法是使用here中的numpy hasrsine函数,稍加修改,以便您可以考虑所需的半径。

使用apply迭代你的df并找到给定半径内最接近的值

def haversine_np(lon1, lat1, lon2, lat2,R):
    """
    Calculate the great circle distance between two points
    on the earth (specified in decimal degrees)
    All args must be of equal length.    
    """
    lon1, lat1, lon2, lat2 = map(np.radians, [lon1, lat1, lon2, lat2])
    dlon = lon2 - lon1
    dlat = lat2 - lat1
    a = np.sin(dlat/2.0)**2 + np.cos(lat1) * np.cos(lat2) * np.sin(dlon/2.0)**2
    c = 2 * np.arcsin(np.sqrt(a))
    km = 6367 * c
    if km.min() <= R:
        return km.argmin()
    else:
        return -1

df['dex'] = df[['lat','lon']].apply(lambda row: haversine_np(row[1],row[0],areadf.stoplon.values,areadf.stoplat.values,1),axis=1)

然后合并两个数据帧。

df.merge(areadf,how='left',left_on='dex',right_index=True).drop('dex',axis=1)

         lat        lon  stop_id    stoplat    stoplon
0  43.657676 -79.380146      0.0  43.657675 -79.380145
1  43.694324 -79.334555      NaN        NaN        NaN

注意:如果您选择遵循此方法,则必须确保重置两个数据帧索引,或者它们按顺序从0到dt的len len排序。因此,请确保在运行之前重置索引。

df.reset_index(drop=True,inplace=True)
areadf.reset_index(drop=True,inplace=True)