在组内进行归一化

4
假设我们有以下数据集:
import pandas as pd

data = [('apple', 'red', 155), ('apple', 'green', 102), ('apple', 'iphone', 48),
         ('tomato', 'red', 175), ('tomato', 'ketchup', 96), ('tomato', 'gun', 12)]

df = pd.DataFrame(data)
df.columns = ['word', 'rel_word', 'weight']

enter image description here

我想重新计算权重,使它们在每个组内总和为1.0(例如,在苹果和番茄中),并保持相关的权重不变(例如,苹果/红到苹果/绿仍应为155/102)。

你能添加所需的输出吗? - jezrael
请在单独的列中提及预期输出以便更好地理解。 - JKC
3个回答

12

使用transform——比apply和查找更快

In [3849]: df['weight'] / df.groupby('word')['weight'].transform('sum')
Out[3849]:
0    0.508197
1    0.334426
2    0.157377
3    0.618375
4    0.339223
5    0.042403
Name: weight, dtype: float64

In [3850]: df['norm_w'] = df['weight'] / df.groupby('word')['weight'].transform('sum')

In [3851]: df
Out[3851]:
     word rel_word  weight    norm_w
0   apple      red     155  0.508197
1   apple    green     102  0.334426
2   apple   iphone      48  0.157377
3  tomato      red     175  0.618375
4  tomato  ketchup      96  0.339223
5  tomato      gun      12  0.042403

或者,

In [3852]: df.groupby('word')['weight'].transform(lambda x: x/x.sum())
Out[3852]:
0    0.508197
1    0.334426
2    0.157377
3    0.618375
4    0.339223
5    0.042403
Name: weight, dtype: float64

时间安排

In [3862]: df.shape
Out[3862]: (12000, 4)

In [3864]: %timeit df['weight'] / df.groupby('word')['weight'].transform('sum')
100 loops, best of 3: 2.44 ms per loop

In [3866]: %timeit df.groupby('word')['weight'].transform(lambda x: x/x.sum())
100 loops, best of 3: 5.16 ms per loop

In [3868]: %%timeit
      ...: group_weights = df.groupby('word').aggregate(sum)
      ...: df.apply(lambda row: row['weight']/group_weights.loc[row['word']][0],axis=1)
1 loop, best of 3: 2.5 s per loop

2
您可以使用 groupby 来计算每个组的总重量,然后对每行应用归一化 lambda 函数:apply
group_weights = df.groupby('word').aggregate(sum)
df['normalized_weights'] = df.apply(lambda row: row['weight']/group_weights.loc[row['word']][0],axis=1)

输出:

    word    rel_word    weight  normalized_weights
0   apple   red         155     0.508197
1   apple   green       102     0.334426
2   apple   iphone      48      0.157377
3   tomato  red         175     0.618375
4   tomato  ketchup     96      0.339223

很棒的解决方案,将命令式编程包装成Pandas思维方式。谢谢! - Denis Kulagin

0
使用 np.bincountpd.factorize
这应该非常快速和可扩展
f, u = pd.factorize(df.word.values)
w = df.weight.values

df.assign(norm_w=w / np.bincount(f, w)[f])

     word rel_word  weight    norm_w
0   apple      red     155  0.508197
1   apple    green     102  0.334426
2   apple   iphone      48  0.157377
3  tomato      red     175  0.618375
4  tomato  ketchup      96  0.339223
5  tomato      gun      12  0.042403

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接