我正在尝试提取分组的行数据,以使用值以标签颜色将其绘制到另一个文件中。
我的数据框如下所示。
df = pd.DataFrame({'x': [1, 4, 5], 'y': [3, 2, 5], 'label': [1.0, 1.0, 2.0]})
x y label
0 1 3 1.0
1 4 2 1.0
2 5 5 2.0
我想要像这样的标签列表组
{'1.0': [{'index': 0, 'x': 1, 'y': 3}, {'index': 1, 'x': 4, 'y': 2}],
'2.0': [{'index': 2, 'x': 5, 'y': 5}]}
该怎么做?
答案 0 :(得分:5)
df = pd.DataFrame({'x': [1, 4, 5], 'y': [3, 2, 5], 'label': [1.0, 1.0, 2.0]})
df['index'] = df.index
df
label x y index
0 1.0 1 3 0
1 1.0 4 2 1
2 2.0 5 5 2
df['dict']=df[['x','y','index']].to_dict("records")
df
label x y index dict
0 1.0 1 3 0 {u'y': 3, u'x': 1, u'index': 0}
1 1.0 4 2 1 {u'y': 2, u'x': 4, u'index': 1}
2 2.0 5 5 2 {u'y': 5, u'x': 5, u'index': 2}
df = df[['label','dict']]
df['label'] = df['label'].apply(str) #Converting integer column 'label' to string
df = df.groupby('label')['dict'].apply(list)
desired_dict = df.to_dict()
desired_dict
{'1.0': [{'index': 0, 'x': 1, 'y': 3}, {'index': 1, 'x': 4, 'y': 2}],
'2.0': [{'index': 2, 'x': 5, 'y': 5}]}
答案 1 :(得分:2)
您可以将collections.defaultdict
与to_dict
结合使用:
from collections import defaultdict
# add 'index' series
df = df.reset_index()
# initialise defaultdict
dd = defaultdict(list)
# iterate and append
for d in df.to_dict('records'):
dd[d['label']].append(d)
结果:
print(dd)
defaultdict(list,
{1.0: [{'index': 0.0, 'x': 1.0, 'y': 3.0, 'label': 1.0},
{'index': 1.0, 'x': 4.0, 'y': 2.0, 'label': 1.0}],
2.0: [{'index': 2.0, 'x': 5.0, 'y': 5.0, 'label': 2.0}]})
通常,由于dict
是defaultdict
的子类,因此无需转换回常规dict
。
答案 2 :(得分:1)
您可以使用itertuples和defulatdict:
itertuples返回命名元组以遍历数据帧:
for row in df.itertuples():
print(row)
Pandas(Index=0, x=1, y=3, label=1.0)
Pandas(Index=1, x=4, y=2, label=1.0)
Pandas(Index=2, x=5, y=5, label=2.0)
因此,您可以利用
from collections import defaultdict
dictionary = defaultdict(list)
for row in df.itertuples():
dummy['x'] = row.x
dummy['y'] = row.y
dummy['index'] = row.Index
dictionary[row.label].append(dummy)
dict(dictionary)
> {1.0: [{'x': 1, 'y': 3, 'index': 0}, {'x': 4, 'y': 2, 'index': 1}],
2.0: [{'x': 5, 'y': 5, 'index': 2}]}
答案 3 :(得分:1)
最快的解决方案几乎就是@cph_sto提供的解决方案,
>>> df.reset_index().to_dict('records')
[{'index': 0.0, 'label': 1.0, 'x': 1.0, 'y': 3.0}, {'index': 1.0, 'label': 1.0, 'x': 4.0, 'y': 2.0}, {'index': 2.0, 'label': 2.0, 'x': 5.0, 'y': 5.0}]
也就是说,将索引转换为常规列,然后应用records
的{{1}}版本。另一个有趣的选择:
to_dict
查看to_dict
上的帮助以获取更多信息。