我拥有多年(在2004年至2014年的10年期间)的所有日期的数据。我想找到10年中所有时间段的最大和最小。 2004年至2014年之间,所有年份1月1日的最高金额是多少?如何在熊猫中使用重采样? Refer to this image
答案 0 :(得分:0)
使用:
rng = pd.date_range('2004-01-01', '2014-12-31')
df = pd.DataFrame({'Date': rng, 'Max': range(len(rng))})
print (df)
Date Max
0 2004-01-01 0
1 2004-01-02 1
2 2004-01-03 2
3 2004-01-04 3
4 2004-01-05 4
... ...
4013 2014-12-27 4013
4014 2014-12-28 4014
4015 2014-12-29 4015
4016 2014-12-30 4016
4017 2014-12-31 4017
[4018 rows x 2 columns]
首先通过to_datetime
将列Date
转换为日期时间,然后通过Series.dt.strftime
创建自定义格式MM-DD
并最后聚合max
:
df['Date'] = pd.to_datetime(df['Date'])
#if necessary sorting
#df = df.sort_values('Date')
md = df['Date'].dt.strftime('%b-%d')
df = df.groupby(md, sort=False)['Max'].max().reset_index()
print (df)
Date Max
0 Jan-01 3653
1 Jan-02 3654
2 Jan-03 3655
3 Jan-04 3656
4 Jan-05 3657
.. ... ...
361 Dec-27 4013
362 Dec-28 4014
363 Dec-29 4015
364 Dec-30 4016
365 Dec-31 4017
[366 rows x 2 columns]
答案 1 :(得分:0)
如果您希望将原始日期与最大值和最小值相关联(基于question),我建议这样做:
import pandas as pd
import numpy as np
np.random.seed(13)
df = pd.DataFrame({"date":pd.date_range("2004-01-01", freq="D", periods=5000),
"value": np.random.randint(0,100,5000)})
df["day"] = df.date.dt.day
df["month"] = df.date.dt.month
df = df.set_index("date")
idx = df.groupby(['month', 'day'])['value'].transform(max) == df['value']
max_df = df[idx].sort_values(["month", "day"])
idx = df.groupby(['month', 'day'])['value'].transform(min) == df['value']
min_df = df[idx].sort_values(["month", "day"])
结果例如是max_df
:
value day month
date
2010-01-01 88 1 1
2008-01-02 88 2 1
2011-01-03 94 3 1
2009-01-04 98 4 1
2004-01-05 98 5 1
如果有多个最大值,则可以在同一天和同一月有多个行。