0

假设我们有以下数据

all_values = (('a', 0, 0.1), ('b', 1, 0.5), ('c', 2, 1.0))

我们想从中生成一个字典列表,如下所示:

[{'location': 0, 'name': 'a', 'value': 0.1},
 {'location': 1, 'name': 'b', 'value': 0.5},
 {'location': 2, 'name': 'c', 'value': 1.0}]

在 Python 中最优雅的方法是什么?

我能想出的最佳解决方案是

>>> import itertools
>>> zipped = zip(itertools.repeat(('name', 'location', 'value')), all_values)
>>> zipped
[(('name', 'location', 'value'), ('a', 0, 0.1)),
 (('name', 'location', 'value'), ('b', 1, 0.5)),
 (('name', 'location', 'value'), ('c', 2, 1.0))]
>>> dicts = [dict(zip(*e)) for e in zipped]
>>> dicts
[{'location': 0, 'name': 'a', 'value': 0.1},
 {'location': 1, 'name': 'b', 'value': 0.5},
 {'location': 2, 'name': 'c', 'value': 1.0}]

似乎存在一种更优雅的方式来做到这一点,可能会使用更多的工具itertools

4

1 回答 1

7

怎么样:

In [8]: [{'location':l, 'name':n, 'value':v} for (n, l, v) in all_values]
Out[8]: 
[{'location': 0, 'name': 'a', 'value': 0.1},
 {'location': 1, 'name': 'b', 'value': 0.5},
 {'location': 2, 'name': 'c', 'value': 1.0}]

或者,如果您更喜欢更通用的解决方案:

In [12]: keys = ('name', 'location', 'value')

In [13]: [dict(zip(keys, values)) for values in all_values]
Out[13]: 
[{'location': 0, 'name': 'a', 'value': 0.1},
 {'location': 1, 'name': 'b', 'value': 0.5},
 {'location': 2, 'name': 'c', 'value': 1.0}]
于 2013-01-28T22:36:30.210 回答