假设我有这样的开始和结束日期:
start_d = datetime.date(2017, 7, 20)
end_d = datetime.date(2017, 9, 10)
我希望获得一个如下所示的Pandas DataFrame:
Month NumDays
2017-07 12
2017-08 31
2017-09 10
它显示了我的范围中包含的每个月的天数。
到目前为止,我可以使用pd.date_range(start_d, end_d, freq='MS')
生成每月系列。
答案 0 :(得分:4)
您可以先使用date_range
默认day
频率,然后使用resample
创建Series
和size
。最后由to_period
转换为month
期:
start_d = pd.datetime(2017, 7, 20)
end_d = pd.datetime(2017, 9, 10)
s = pd.Series(index=pd.date_range(start_d, end_d))
df = s.resample('MS').size().rename_axis('Month').reset_index(name='NumDays')
df['Month'] = df['Month'].dt.to_period('m')
print (df)
Month NumDays
0 2017-07 12
1 2017-08 31
2 2017-09 10
感谢Zero
简化解决方案:
df = s.resample('MS').size().to_period('m').rename_axis('Month').reset_index(name='NumDays')