我正在熊猫中使用groupby
的自定义函数。我发现使用apply
可以通过以下方式做到这一点:
(一个从两组计算新均值的示例)
import pandas as pd
def newAvg(x):
x['cm'] = x['count']*x['mean']
sCount = x['count'].sum()
sMean = x['cm'].sum()
return sMean/sCount
data = [['A', 4, 2.5], ['A', 3, 6], ['B', 4, 9.5], ['B', 3, 13]]
df = pd.DataFrame(data, columns=['pool', 'count', 'mean'])
df_gb = df.groupby(['pool']).apply(newAvg)
是否可以将其集成到agg
函数中?遵循以下原则:
df.groupby(['pool']).agg({'count': sum, ['count', 'mean']: apply(newAvg)})
答案 0 :(得分:2)
函数agg
分别与各列一起使用,因此可能的解决方案是首先使用assign
创建列cm
,然后聚合sum
,最后将各列划分:
df_gb = df.assign(cm=df['count']*df['mean']).groupby('pool')['cm','count'].sum()
print (df_gb)
cm count
pool
A 28.0 7
B 77.0 7
out = df_gb.pop('cm') / df_gb.pop('count')
print (out)
pool
A 4.0
B 11.0
dtype: float64
答案 1 :(得分:2)
带有agg
的字典用于为每个系列执行单独的计算。对于您的问题,我建议pd.concat
:
g = df.groupby('pool')
res = pd.concat([g['count'].sum(), g.apply(newAvg).rename('newAvg')], axis=1)
print(res)
# count newAvg
# pool
# A 7 4.0
# B 7 11.0
这不是最有效的解决方案,因为函数newAvg
正在执行最初可以在整个数据帧上执行的 计算,但是它确实支持任意的预定义计算。 / p>
答案 2 :(得分:2)
IIUC
df.groupby(['pool']).apply(lambda x : pd.Series({'count':sum(x['count']),'newavg':newAvg(x)}))
Out[58]:
count newavg
pool
A 7.0 4.0
B 7.0 11.0
答案 3 :(得分:2)
将assign
与eval
一起使用:
df.assign(cm=df['count']*df['mean'])\
.groupby('pool', as_index=False)['cm','count'].sum()\
.eval('AggCol = cm / count')
输出:
pool cm count AggCol
0 A 28.0 7 4.0
1 B 77.0 7 11.0
答案 4 :(得分:0)
如果要计算加权平均值,则可以使用agg
和NumPy np.average
函数轻松地完成。只需阅读“平均值”列的系列:
df_gb = df.groupby(['pool']).agg(lambda x: np.average(x['mean'], weights=x['count']))['mean']
您也可以使用newAvg
函数来执行此操作,尽管这会产生警告:
df_gb2 = df.groupby(['pool']).agg(newAvg)['mean']
如果您愿意使用newAvg
函数,可以重新定义它以避免使用副本:
def newAvg(x):
cm = x['count']*x['mean']
sCount = x['count'].sum()
sMean = cm.sum()
return sMean/sCount
通过此修改,您将获得预期的输出:
df_gb2 = df.groupby(['pool']).agg(newAvg)['mean']
print(df_gb2)
# pool
# A 4.0
# B 11.0
# Name: mean, dtype: float64