Groupbyメソッドを使用すると問題が発生します。
data = pd.Series(np.random.randn(100),index=pd.date_range('01/01/2001',periods=100))
keys = lambda x: [x.year,x.month]
data.groupby(keys).mean()
しかし、エラーがあります:TypeError:unhashable type: 'list'。年と月でグループ化し、平均を計算したいのですが、なぜ間違っているのですか?
list
オブジェクトはハッシュ化できないため、キーとして使用できません。代わりにTuple
オブジェクトを使用できます:
>>> {[1, 2]: 3}
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: unhashable type: 'list'
>>> {(1, 2): 3}
{(1, 2): 3}
data = pd.Series(np.random.randn(100), index=pd.date_range('01/01/2001', periods=100))
keys = lambda x: (x.year,x.month) # <----
data.groupby(keys).mean()
Groupbyキーとして使用する前に、リストをまずstrに変換します。
data.groupby(lambda x: str([x.year,x.month])).mean()
Out[587]:
[2001, 1] -0.026388
[2001, 2] -0.076484
[2001, 3] 0.155884
[2001, 4] 0.046513
dtype: float64