我在pandas中使用shift方法处理数据系列 (documentation)
是否可以在一个步骤中进行循环移位,即第一个值成为最后一个值?
>>> input
Out[20]:
5 0.995232
15 0.999794
25 1.006853
35 0.997781
45 0.981553
Name: vRatio, dtype: float64
>>> input.shift()
Out[21]:
5 NaN
15 0.995232
25 0.999794
35 1.006853
45 0.997781
Name: vRatio, dtype: float64
期望的输出:
Out[21]:
5 0.981553
15 0.995232
25 0.999794
35 1.006853
45 0.997781
Name: vRatio, dtype: float64
答案 0 :(得分:5)
您可以使用np.roll
来循环索引值并将其作为值传递给reindex
:
In [23]:
df.reindex(index=np.roll(df.index,1))
Out[23]:
vRatio
index
45 0.981553
5 0.995232
15 0.999794
25 1.006853
35 0.997781
如果您想保留索引,则可以使用np.roll
再次覆盖这些值:
In [25]:
df['vRatio'] = np.roll(df['vRatio'],1)
df
Out[25]:
vRatio
index
5 0.981553
15 0.995232
25 0.999794
35 1.006853
45 0.997781
答案 1 :(得分:1)
这里是@EdChum很好答案的略微修改,在我想避免分配的情况下,我发现它更有用:
pandas.DataFrame(np.roll(df.values, 1), index=df.index)
或对于系列:
pandas.Series(np.roll(ser.values, 1), index=ser.index)
答案 2 :(得分:0)
不使用任何步骤即可完成此操作:
>>> output = input.shift()
>>> output.loc[output.index.min()] = input.loc[input.index.max()]
>>> output
Out[32]:
5 0.981553
15 0.995232
25 0.999794
35 1.006853
45 0.997781
Name: vRatio, dtype: float64