我正在处理一个大型数据集,需要检查同一列的下一行值是否大于当前值。如果是,则保存1或-1。例如,如果当前行在列d中的值为1,且同一列的下一值为2,则在同一行和同一DataFrame的新列’e’中保存1。问题是它总是保存单一值。
import numpy as np
import pandas as pd
df1 = pd.DataFrame(np.random.randn(10, 4), columns=['a', 'b', 'c', 'd'])
mask = df1.applymap(lambda x: x <-0.7)
df1 = df1[-mask.any(axis=1)]
sLength = len(df1['a'])
rwno=0
PrevClose=[]
for index,row in df1.iterrows():
Close=row.iloc[3]
PrevClose.append(Close)
rwno+=1
print df1
rwno=1
for index,row in df1.iterrows():
NxtDaySpy=0
if rwno < len(df1.index) :
NextClose=PrevClose[rwno]
Close=row.iloc[3]
df1['e']=pd.Series((NextClose-Close)/abs(NextClose-Close), index=df1.index)
rwno+=1
print df1.head
回答:
假设你有一个只有一列的数据框,为了简单起见。
np.random.seed(14) # 这样你可以重现
df = pd.DataFrame(np.random.randn(10, 1), columns=['a'])
df.head()
--------- a
--------- 1.331587
1.331587
0.715279
-1.545400
-0.008384
0.621336
你可以使用 shift()
来延迟(或提前)你的数据。
df['a_new'] = df.shift(periods=1).fillna(0.0)
df.head()
--------------------- a a_new
--------------------- 1.331587 0.000000
0.715279 1.331587
-1.545400 0.715279
-0.008384 -1.545400
0.621336 -0.008384
然后使用列表解析来获取你的 1
和 -1
值。
df['a_flags'] = [1 if x > y else -1 for x, y in zip(df.a, df.a_new)]
df.head()
------------------------------- a a_new a_flag
------------------------------- 1.331587 0.000000 1
0.715279 1.331587 -1
-1.545400 0.715279 -1
-0.008384 -1.545400 1
0.621336 -0.008384 1