我经常使用Pandas,它很棒。我也使用TimeGrouper,它很棒。我实际上不知道有关TimeGrouper的文档在哪里。有没有?

谢谢!

最佳答案

Pandas v0.21.0中pd.TimeGrouper()formally deprecated,而 pd.Grouper() 为。

当您还要对非datetime列进行分组时,pd.Grouper()的最佳用法是在groupby()中。如果只需要按频率分组,请使用resample()

例如,假设您有:

>>> import pandas as pd
>>> import numpy as np
>>> np.random.seed(444)

>>> df = pd.DataFrame({'a': np.random.choice(['x', 'y'], size=50),
                       'b': np.random.rand(50)},
                      index=pd.date_range('2010', periods=50))
>>> df.head()
            a         b
2010-01-01  y  0.959568
2010-01-02  x  0.784837
2010-01-03  y  0.745148
2010-01-04  x  0.965686
2010-01-05  y  0.654552

您可以这样做:
>>> # `a` is dropped because it is non-numeric
>>> df.groupby(pd.Grouper(freq='M')).sum()
                  b
2010-01-31  18.5123
2010-02-28   7.7670

但是上面的操作是不必要的,因为您只按索引分组。相反,您可以执行以下操作:
>>> df.resample('M').sum()
                    b
2010-01-31  16.168086
2010-02-28   9.433712

产生相同的结果。

相反,在这种情况下,Grouper()会很有用:
>>> df.groupby([pd.Grouper(freq='M'), 'a']).sum()
                   b
           a
2010-01-31 x  8.9452
           y  9.5671
2010-02-28 x  4.2522
           y  3.5148

有关更多详细信息,请参阅Ted Petrou的Pandas Cookbook的第7章。

08-19 21:11