考虑以下solution来计算Pandas中的组内差异:
df = df.set_index(['ticker', 'date']).sort_index()[['value']]
df['diff'] = np.nan
idx = pd.IndexSlice
for ix in df.index.levels[0]:
df.loc[ idx[ix,:], 'diff'] = df.loc[idx[ix,:], 'value' ].diff()
有关:
> df
date ticker value
0 63 C 1.65
1 88 C -1.93
2 22 C -1.29
3 76 A -0.79
4 72 B -1.24
5 34 A -0.23
6 92 B 2.43
7 22 A 0.55
8 32 A -2.50
9 59 B -1.01
它返回:
> df
value diff
ticker date
A 22 0.55 NaN
32 -2.50 -3.05
34 -0.23 2.27
76 -0.79 -0.56
B 59 -1.01 NaN
72 -1.24 -0.23
92 2.43 3.67
C 22 -1.29 NaN
63 1.65 2.94
88 -1.93 -3.58
对于大型数据帧,该解决方案无法很好地扩展。形状为(405344,2)
的数据框需要几分钟。这可能就是这种情况,因为我正在迭代主循环中第一级的每个值。
在熊猫中有没有办法加快速度?循环索引值是解决此问题的好方法吗?可能会numba
用于此吗?
答案 0 :(得分:4)
这是另一种方式,应该快得多。
首先,根据股票代码和日期排序:
In [11]: df = df.set_index(['ticker', 'date']).sort_index()
In [12]: df
Out[12]:
value
ticker date
A 22 0.55
32 -2.50
34 -0.23
76 -0.79
B 59 -1.01
72 -1.24
92 2.43
C 22 -1.29
63 1.65
88 -1.93
添加diff列:
In [13]: df['diff'] = df['value'].diff()
要填写NaN,我们可以找到第一行如下(可能有更好的方式):
In [14]: s = pd.Series(df.index.labels[0])
In [15]: s != s.shift()
Out[15]:
0 True
1 False
2 False
3 False
4 True
5 False
6 False
7 True
8 False
9 False
dtype: bool
In [16]: df.loc[(s != s.shift()).values 'diff'] = np.nan
In [17]: df
Out[17]:
value diff
ticker date
A 22 0.55 NaN
32 -2.50 -3.05
34 -0.23 2.27
76 -0.79 -0.56
B 59 -1.01 NaN
72 -1.24 -0.23
92 2.43 3.67
C 22 -1.29 NaN
63 1.65 2.94
88 -1.93 -3.58
答案 1 :(得分:1)
作为替代方案,您可以在每个组中进行排序和索引。虽然还没有经过时间考验:
In [11]: def value_and_diff(subdf):
subdf = subdf.set_index('date').sort_index()
return pd.DataFrame({'value': subdf['value'],
'diff': subdf['value'].diff()})
In [12]: df.groupby('ticker').apply(value_and_diff)
Out[12]:
diff value
ticker date
A 22 NaN 0.55
32 -3.05 -2.50
34 2.27 -0.23
76 -0.56 -0.79
B 59 NaN -1.01
72 -0.23 -1.24
92 3.67 2.43
C 22 NaN -1.29
63 2.94 1.65
88 -3.58 -1.93