我有一个简单的Pandas DataFrame t
,如下所示:
> print t
group_id item_id traitx
0 groupA 000001-00 True
1 groupA 000002-00 True
2 groupA 000003-00 False
3 groupB 000001-00 True
4 groupC 000002-00 True
5 groupC 000004-00 True
> t.pivot_table(index=['groupid', 'item_id'])
traitx
group_id item_id
groupA 000001-00 True
000002-00 True
000003-00 False
groupB 000001-00 True
groupC 000001-00 True
000002-00 True
目标:我需要计算属于group_id
traitx
个值True
的{{1}}行的总行数。
我想解决这个问题的方法是以某种方式添加一个列,显示每一行的整个组是否为True
,例如
group_id item_id traitx group_traitx
0 groupA 000001-00 True False
1 groupA 000002-00 True False
2 groupA 000003-00 False False
3 groupB 000001-00 True True
4 groupC 000002-00 True True
5 groupC 000004-00 True True
然后只需加group_traitx
。
我可以使用以下内容计算group_traitx
:
> print t.groupby('group_id')['traitx'].all()
group_id
groupA False
groupB True
groupC True
Name: traitx, dtype: bool
然而,我无法弄清楚如何涂抹"结果返回到原始DataFrame中的group_traitx
列。
免责声明 - 我昨天刚开始使用熊猫,所以这可能不是达到我原定目标的最佳方法。
答案 0 :(得分:2)
您可以使用transform
:
df= t.pivot_table(index=['group_id', 'item_id'])
df['group_traitx'] = df.groupby(level=0)['traitx'].transform('all')
print (df)
traitx group_traitx
group_id item_id
groupA 000001-00 True False
000002-00 True False
000003-00 False False
groupB 000001-00 True True
groupC 000002-00 True True
000004-00 True True
print (df['group_traitx'].sum())
3
不需要新栏目:
print (df.groupby(level=0)['traitx'].transform('all').sum())
3
如果只需要所有True
个群组,请使用filter:
df= t.pivot_table(index=['group_id', 'item_id'])
print (df.groupby(level=0)['traitx'].filter('all'))
group_id item_id
groupB 000001-00 True
groupC 000002-00 True
000004-00 True
Name: traitx, dtype: bool
print (df.groupby(level=0)['traitx'].filter('all').sum())
3
编辑:
如果group_id
和item_id
对中有重复项:
#added duplicates
print (t)
group_id item_id traitx
0 groupA 000001-00 True
1 groupA 000001-00 True
2 groupA 000001-00 False
3 groupB 000001-00 True
4 groupC 000002-00 True
5 groupC 000004-00 True
#pivot_table is not necessary for new column of original df
t['group_traitx'] = t.groupby(['group_id', 'item_id'])['traitx'].transform('all')
print (t)
group_id item_id traitx group_traitx
0 groupA 000001-00 True False
1 groupA 000001-00 True False
2 groupA 000001-00 False False
3 groupB 000001-00 True True
4 groupC 000002-00 True True
5 groupC 000004-00 True True
如果需要使用聚合df(使用group_id
的唯一对item_id
):
pivot_table
使用默认聚合函数mean
,但需要按all
聚合:
print (t.pivot_table(index=['group_id', 'item_id']))
traitx
group_id item_id
groupA 000001-00 0.666667
groupB 000001-00 1.000000
groupC 000002-00 1.000000
000004-00 1.000000
df = t.pivot_table(index=['group_id', 'item_id'], aggfunc='all')
df['group_traitx'] = df.groupby(level=0)['traitx'].transform('all')
print (df)
traitx group_traitx
group_id item_id
groupA 000001-00 False False
groupB 000001-00 True True
groupC 000002-00 True True
000004-00 True True