Pandas 条件聚合和非条件聚合在一起

Pandas Conditional Aggregation and Non Conditional Aggregation together

我是重度 SQL 用户,我是 Python 和 Pandas 的新用户。我有一个数据框。

import pandas as pd

data=[[1,100,'a'],[1,200,'b'],[2,300,'a'],[2,400,'a'],[3,500,'b'],[3,600,'a'],[3,700,'b']]

df=pd.DataFrame(data,columns=['Group','Amount','Condition'])

我可以一步计算条件总和和 'regular' 总和吗?

基本上在SQL里面就是这样

select [Group]
,sum([Amount]) as Amount
,sum(case when [Condition]=’a’ then [Amount] end) as Conditional_Sum
from df
group by [Group]

但是在Pandas中,我把它们分成了几个步骤。

对于'regular'总和,我使用

df1=df.groupby('Group')['Amount'].sum().reset_index()

对于条件总和,我使用

df2=df.groupby('Group').apply(lambda x: x[x['Condition']=='a']['Amount'].sum()).to_frame(name='Conditional_Sum')
df2.reset_index(inplace=True)

然后我合并 df1 和 df2。我可以一步完成吗?

编辑:澄清一下,有没有一种方法可以一步创建下面的数据框?

   Group  Amount  Conditional_Sum
0      1     300              100
1      2     700              700
2      3    1800              600

您可以使用 groupby 应用并创建包含某些列的系列

df.groupby('Group', as_index=False) \
  .apply(lambda x: pd.Series( \
        {'totalsum' : x['Amount'].sum(), \
         'condsum': x.loc[x['Condition']=='a','Amount'].sum()}))

       totalsum  condsum
0       300      100
1       700      700
2      1800      600