我有一个从2007年到2017年的大熊猫数据框。数据是这样的:
date closing_price
2007-12-03 728.73
2007-12-04 728.83
2007-12-05 728.83
2007-12-07 728.93
2007-12-10 728.22
2007-12-11 728.50
2007-12-12 728.51
2007-12-13 728.65
2007-12-14 728.65
2007-12-17 728.70
2007-12-18 728.73
2007-12-19 728.73
2007-12-20 728.73
2007-12-21 728.52
2007-12-24 728.52
2007-12-26 728.90
2007-12-27 728.90
2007-12-28 728.91
2008-01-05 728.88
2008-01-08 728.86
2008-01-09 728.84
2008-01-10 728.85
2008-01-11 728.85
2008-01-15 728.86
2008-01-16 728.89
如您所见,每个月都缺少某些日子。我想获取每个月的第一天和最后一个“可用”天,并计算它们的close_price的差额,然后将结果放入新的数据框中。例如,对于第一个月,日期将是2007-12-03和2007-12-28,并且收盘价将是728.73和728.91,因此结果将是0.18。我怎样才能做到这一点?
答案 0 :(得分:1)
首先请确保它们是datetime
并已排序:
import pandas as pd
df['date'] = pd.to_datetime(df.date)
df = df.sort_values('date')
gp = df.groupby([df.date.dt.year.rename('year'), df.date.dt.month.rename('month')])
gp.closing_price.last() - gp.closing_price.first()
#year month
#2007 12 0.18
#2008 1 0.01
#Name: closing_price, dtype: float64
或
gp = df.groupby(pd.Grouper(key='date', freq='1M'))
gp.last() - gp.first()
# closing_price
#date
#2007-12-31 0.18
#2008-01-31 0.01
gp = df.set_index('date').resample('1M')
gp.last() - gp.first()
# closing_price
#date
#2007-12-31 0.18
#2008-01-31 0.01
答案 1 :(得分:1)
您可以按月对df进行分组并应用函数来完成。注意to_period,此函数以所需的频率将DataFrame从DatetimeIndex转换为PeriodIndex。
def calculate(x):
start_closing_price = x.loc[x.index.min(), "closing_price"]
end_closing_price = x.loc[x.index.max(), "closing_price"]
return end_closing_price-start_closing_price
result = df.groupby(df["date"].dt.to_period("M")).apply(calculate)
# result
date
2007-12 0.18
2008-01 0.01
Freq: M, dtype: float64
答案 2 :(得分:0)
问题:获取索引数据框的第一个或最后一个日期
解决方案:重新采样索引,然后提取数据。
lom = pd.Series(x.index, index = x.index).resample('m').last()
xlast = x[x.index.isin(lom)] # .resample('m').last() to get monthly freq
fom = pd.Series(x.index, index = x.index).resample('m').first()
xfirst = x[x.index.isin(fom)]