Python熊猫-每隔第二行而不是每隔2个工作日重新采样一次

时间:2018-06-27 13:26:54

标签: python pandas resampling datetimeindex

我正在处理股价数据,并希望让resample()返回第二行,而不是每个第二个工作日(resample('2B'))。障碍是平日降落的任何假期。如下所示,MLK日是2018年1月15日星期一:

import pandas as pd

data = '''\
date,price
2018-01-08,88.28
2018-01-09,88.22
2018-01-10,87.82
2018-01-11,88.08
2018-01-12,89.6
2018-01-16,88.35
2018-01-17,90.14
2018-01-18,90.1
2018-01-19,90.0
2018-01-22,91.61
2018-01-23,91.9
2018-01-24,91.82
2018-01-25,92.33
2018-01-26,94.06'''

fileobj = pd.compat.StringIO(data)
df = pd.read_csv(fileobj, parse_dates=['date'], index_col=[0])

df_resample = df.resample('2B').min()
print(df_resample)

输出:

            price
2018-01-08  88.22
2018-01-10  87.82
2018-01-12  89.60
2018-01-16  88.35
2018-01-18  90.00
2018-01-22  91.61
2018-01-24  91.82
2018-01-26  94.06

我希望重采样从1/12跳到1/17。我知道我可以使用df['price'].loc[::2]来交付df.resample('2B').last(),但是我还需要使用min()max()sum()

谢谢。

预期输出:

enter image description here

3 个答案:

答案 0 :(得分:2)

为获得稳定的解决方案,我将以某种方式重新定义B天。

但是,如果您重置索引,则可以使用索引号和groupby:

df = df.reset_index()
df_resample = df.groupby(df.index // 2).min()
print(df_resample)

返回:

        date  price
0 2018-01-08  88.22
1 2018-01-10  87.82
2 2018-01-12  88.35
3 2018-01-17  90.10
4 2018-01-19  90.00
5 2018-01-23  91.82
6 2018-01-25  92.33

或者,您可以执行以下操作:

g = np.arange(len(df))// 2
df_resample = df.groupby(g).agg(['last','min','max','sum'])
df_resample.insert(0, 'Date', df.index[1::2])

print(df_resample)

返回:

        Date  price                      
               last    min    max     sum
0 2018-01-09  88.22  88.22  88.28  176.50
1 2018-01-11  88.08  87.82  88.08  175.90
2 2018-01-16  88.35  88.35  89.60  177.95
3 2018-01-18  90.10  90.10  90.14  180.24
4 2018-01-22  91.61  90.00  91.61  181.61
5 2018-01-24  91.82  91.82  91.90  183.72
6 2018-01-26  94.06  92.33  94.06  186.39

答案 1 :(得分:0)

使用np.repeat和数组切片,您可以创建一个重新采样的数据帧,其中日期(索引)重复两次。

df_resample = df.set_index(np.repeat(df.index[::2],2)[:len(df)])
# outputs:
            price
date
2018-01-08  88.28
2018-01-08  88.22
2018-01-10  87.82
2018-01-10  88.08
2018-01-12  89.60
2018-01-12  88.35
2018-01-17  90.14
2018-01-17  90.10
2018-01-19  90.00
2018-01-19  91.61
2018-01-23  91.90
2018-01-23  91.82
2018-01-25  92.33
2018-01-25  94.06

然后像往常一样分组以产生所需的输出:

df_resampled.groupby(level=0).agg(['last', 'min', 'max', 'sum'])

            price
             last    min    max     sum
date
2018-01-08  88.22  88.22  88.28  176.50
2018-01-10  88.08  87.82  88.08  175.90
2018-01-12  88.35  88.35  89.60  177.95
2018-01-17  90.10  90.10  90.14  180.24
2018-01-19  91.61  90.00  91.61  181.61
2018-01-23  91.82  91.82  91.90  183.72
2018-01-25  94.06  92.33  94.06  186.39

答案 2 :(得分:0)

我认为这也可能会奏效,有点相反的步骤...

df['price'].rolling(window=2).max().iloc[1::2]