我有一个如下所示的数据集,我需要单行中每个类别的所有不同权重和计数
Sample_data
category weights
1 aa 3.2
2 aa 2.2
3 aa 4.2
4 bb 3.5
5 bb 4.5
6 aa 0.5
7 cc 0.6
8 bb 7.5
9 cc 6.6
10 dd 2.2
11 aa 3.3
12 bb 4.4
13 cc 5.5
14 dd 6.6
我需要的是每个唯一类别的计数以及同一行中每个类别的不同权重。
Expected output:
category count weight1 weight2 weight3 weight4 weight5
1 aa 5 3.2 2.2 4.2 0.5 3.3
2 bb 4 3.5 4.5 7.5 4.4
3 cc 3 0.6 6.6 5.5
4 dd 2 2.2 6.6
我想
sampledata['category'].groupby(level = 0)
会起作用,但事实并非如此。 有人可以帮我在python中做到这一点。
答案 0 :(得分:2)
我可能会缩短这一点,但以下工作:
In [51]:
cat = df.groupby('category')['weights'].agg({'count':'count', 'weight_cat':lambda x: list(x)}).reset_index()
cat
Out[51]:
category count weight_cat
0 aa 5 [3.2, 2.2, 4.2, 0.5, 3.3]
1 bb 4 [3.5, 4.5, 7.5, 4.4]
2 cc 3 [0.6, 6.6, 5.5]
3 dd 2 [2.2, 6.6]
In [52]:
cat = cat.join(cat['weight_cat'].apply(lambda x: pd.Series(x)))
cat
Out[52]:
category count weight_cat 0 1 2 3 4
0 aa 5 [3.2, 2.2, 4.2, 0.5, 3.3] 3.2 2.2 4.2 0.5 3.3
1 bb 4 [3.5, 4.5, 7.5, 4.4] 3.5 4.5 7.5 4.4 NaN
2 cc 3 [0.6, 6.6, 5.5] 0.6 6.6 5.5 NaN NaN
3 dd 2 [2.2, 6.6] 2.2 6.6 NaN NaN NaN
In [68]:
rename_cols = [col for col in cat if type(col) == int]
rename_weight_cols = ['weight'+str(col + 1) for col in rename_cols]
d = dict(zip(rename_cols, rename_weight_cols))
cat.rename(columns = d,inplace=True)
cat
Out[68]:
category count weight_cat weight1 weight2 weight3 \
0 aa 5 [3.2, 2.2, 4.2, 0.5, 3.3] 3.2 2.2 4.2
1 bb 4 [3.5, 4.5, 7.5, 4.4] 3.5 4.5 7.5
2 cc 3 [0.6, 6.6, 5.5] 0.6 6.6 5.5
3 dd 2 [2.2, 6.6] 2.2 6.6 NaN
weight4 weight5
0 0.5 3.3
1 4.4 NaN
2 NaN NaN
3 NaN NaN
所以上面做的是'category'列上的第一个组并在weight列上执行聚合,我们创建一个count列,然后我们将该组的所有值都转换为一个列表并添加它。
然后我在该列表上调用apply
将其变为系列,这将自动生成列0..4的名称。
然后我创建一个dict,根据需要将列重命名为weight1到5。
答案 1 :(得分:1)
重置每个组的索引后,您还可以使用unstack
:
dfw = df.groupby(['category'])['weights'].apply(lambda i: i.reset_index(drop=True)).unstack(level=1)
每个组的大小(此处为'count'
)为df.groupby(['category']).size()
。
dfw.rename(columns=lambda x: 'weight'+ str(x+1), inplace=True) # string concatenation to give column labels
dfw.insert(0, 'count', df.groupby(['category']).size()) #insert count at position 0
这会产生:
count weight1 weight2 weight3 weight4 weight5
category
aa 5 3.2 2.2 4.2 0.5 3.3
bb 4 3.5 4.5 7.5 4.4 NaN
cc 3 0.6 6.6 5.5 NaN NaN
dd 2 2.2 6.6 NaN NaN NaN
答案 2 :(得分:0)
假设您的示例数据采用名为data
的字典列表的形式,其中每个字典都有category
键和weight
键,则以下代码将提供你有你需要的东西:
trans_data = {}
for item in data:
if item['category'] in trans_data:
trans_data[item['category']]['count'] += 1
trans_data[item['category']]['weights'].append(item['weight'])
else:
trans_data[item['category']] = {'count': 1, 'weights': [item['weight'],]}
假设data
数据结构具有以下形式:
data = [{'category': 'aa', 'weight': 3.2}, {'category': 'bb', 'weight': 2.2}, {'category': 'aa', 'weight': 1.1}]