如何按列分组,并在单独的列(熊猫)中计算值

时间:2019-11-03 14:47:11

标签: python pandas dataframe

这是示例数据:

data = [['a1', 1, 'a'], ['b1', 2, 'b'], ['a1', 3, 'a'], ['c1', 4, 'c'], ['b1', 5, 'a'], ['a1', 6, 'b'], ['c1', 7, 'a'], ['a1', 8, 'a']] 

df = pd.DataFrame(data, columns = ['user', 'house', 'type']) 

user house type
a1     1    a
b1     2    b
a1     3    a
c1     4    c
b1     5    a
a1     6    b
c1     7    a
a1     8    a

我想要的最终输出是这样(类型必须是它们自己的列):

user houses a b c    
a1      4   3 1 0
b1      2   1 1 0
c1      2   1 0 1

当前,我可以使用以下代码来获取它:

house = df.groupby(['user']).agg(houses=('house', 'count'))
a = df[df['type']=='a'].groupby(['user']).agg(a=('type', 'count'))
b = df[df['type']=='b'].groupby(['user']).agg(b=('type', 'count'))
c = df[df['type']=='c'].groupby(['user']).agg(c=('type', 'count'))

final = house.merge(a,on='user', how='left').merge(b,on='user', how='left').merge(c,on='user', how='left')

有没有更简单,更清洁的方法?

3 个答案:

答案 0 :(得分:5)

这是将get_dummies()groupby()sum结合使用的一种方法。

df['house']=1
df.drop('type',axis=1).assign(**pd.get_dummies(df['type'])).groupby('user').sum()

      house  a  b  c
user                
a1        4  3  1  0
b1        2  1  1  0
c1        2  1  0  1

答案 1 :(得分:5)

我将用"."crosstab

margins=True

答案 2 :(得分:3)

GroupBy.sizepd.crosstabjoin结合使用:

grps = pd.crosstab(df['user'], df['type']).join(df.groupby('user')['house'].size())

      a  b  c  house
user                
a1    3  1  0      4
b1    1  1  0      2
c1    1  0  1      2

如果您想将user作为列,请使用reset_index

print(grps.reset_index())

  user  a  b  c  house
0   a1  3  1  0      4
1   b1  1  1  0      2
2   c1  1  0  1      2