Nof*_*ofy 10 python python-2.7 python-3.x pandas pandas-groupby
我有一个看起来像这样的熊猫数据框
ID country month revenue profit ebit
234 USA 201409 10 5 3
344 USA 201409 9 7 2
532 UK 201410 20 10 5
129 Canada 201411 15 10 5
Run Code Online (Sandbox Code Playgroud)
我想按 ID、国家/地区、月份分组并计算每个月和国家/地区的 ID,然后总结收入、利润、ebit。上述数据的输出将是:
country month revenue profit ebit count
USA 201409 19 12 5 2
UK 201409 20 10 5 1
Canada 201411 15 10 5 1
Run Code Online (Sandbox Code Playgroud)
我尝试了熊猫的 groupby、sum 和 count 函数的不同变体,但我无法弄清楚如何将 groupby sum 和 count 一起应用以给出如图所示的结果。请分享您可能有的任何想法。谢谢!
Mab*_*lba 19
可以使用pivot_table这种方式完成:
>>> df1=pd.pivot_table(df, index=['country','month'],values=['revenue','profit','ebit'],aggfunc=np.sum)
>>> df1
ebit profit revenue
country month
Canada 201411 5 10 15
UK 201410 5 10 20
USA 201409 5 12 19
>>> df2=pd.pivot_table(df, index=['country','month'], values='ID',aggfunc=len).rename('count')
>>> df2
country month
Canada 201411 1
UK 201410 1
USA 201409 2
>>> pd.concat([df1,df2],axis=1)
ebit profit revenue count
country month
Canada 201411 5 10 15 1
UK 201410 5 10 20 1
USA 201409 5 12 19 2
Run Code Online (Sandbox Code Playgroud)
更新
它可以在一行中使用pivot_table并提供一个函数字典来应用于aggfunc参数中的每一列:
pd.pivot_table(
df,
index=['country','month'],
aggfunc={'revenue': np.sum, 'profit': np.sum, 'ebit': np.sum, 'ID': len}
).rename(columns={'ID': 'count'})
count ebit profit revenue
country month
Canada 201411 1 5 10 15
UK 201410 1 5 10 20
USA 201409 2 5 12 19
Run Code Online (Sandbox Code Playgroud)
Ben*_*Ben 10
您可以进行分组,然后将每个国家/地区的计数映射到一个新列。
g = df.groupby(['country', 'month'])['revenue', 'profit', 'ebit'].sum().reset_index()
g['count'] = g['country'].map(df['country'].value_counts())
g
Out[3]:
country month revenue profit ebit count
0 Canada 201411 15 10 5 1
1 UK 201410 20 10 5 1
2 USA 201409 19 12 5 2
Run Code Online (Sandbox Code Playgroud)
编辑
要获得每个国家和每个月的计数,您可以执行另一个 groupby,然后将两个 DataFrame 连接在一起。
g = df.groupby(['country', 'month'])['revenue', 'profit', 'ebit'].sum()
j = df.groupby(['country', 'month']).size().to_frame('count')
pd.merge(g, j, left_index=True, right_index=True).reset_index()
Out[6]:
country month revenue profit ebit count
0 Canada 201411 15 10 5 1
1 UK 201410 20 10 5 1
2 UK 201411 10 5 2 1
3 USA 201409 19 12 5 2
Run Code Online (Sandbox Code Playgroud)
我为英国添加了另一条具有不同日期的记录 - 请注意现在合并的 DataFrame 中有两个英国条目,并具有适当的计数。
小智 6
以下解决方案似乎是最简单的。
按国家和月份分组:
grouped_df = df.groupby(['country', 'month'])
Run Code Online (Sandbox Code Playgroud)
将总和应用于感兴趣的列(收入、利润、息税前利润):
final = grouped_df[['revenue', 'profit', 'ebit']].agg('sum')
Run Code Online (Sandbox Code Playgroud)
将 grouped_df 的大小分配给“final”中的新列:
final['count'] = grouped_df.size()
print(final)
Out[256]:
revenue profit ebit count
country month
Canada 201411 15 10 5 1
UK 201410 20 10 5 1
USA 201409 19 12 5 2
Run Code Online (Sandbox Code Playgroud)
全做完了!
| 归档时间: |
|
| 查看次数: |
35801 次 |
| 最近记录: |