问题是: 有一个名称列表和一个列表列表,如何创建一个列表,其中每个项目是一个名称为键的有序字典,以及列表列表中的项目作为值?从下面的代码可能会更清楚:
from collections import OrderedDict
list_of_lists = [
['20010103', '0.9507', '0.9569', '0.9262', '0.9271'],
['20010104', '0.9271', '0.9515', '0.9269', '0.9507'],
['20010105', '0.9507', '0.9591', '0.9464', '0.9575'],
]
names = ['date', 'open', 'high', 'low', 'close']
我想得到:
ordered_dictionary = [
OrderedDict([('date', '20010103'), ('open', '0.9507'), ('high', '0.9569'), ('low', '0.9262'), ('close', '0.9271')]),
OrderedDict([('date', '20010104'), ('open', '0.9271'), ('high', '0.9515'), ('low', '0.9269'), ('close', '0.9507')]),
OrderedDict([('date', '20010105'), ('open', '0.9507'), ('high', '0.9591'), ('low', '0.9464'), ('close', '0.9575')]),
]
答案 0 :(得分:10)
使用zip()
组合名称和值。列表理解:
from collections import OrderedDict
ordered_dictionary = [OrderedDict(zip(names, subl)) for subl in list_of_lists]
给出:
>>> from pprint import pprint
>>> pprint([OrderedDict(zip(names, subl)) for subl in list_of_lists])
[OrderedDict([('date', '20010103'), ('open', '0.9507'), ('high', '0.9569'), ('low', '0.9262'), ('close', '0.9271')]),
OrderedDict([('date', '20010104'), ('open', '0.9271'), ('high', '0.9515'), ('low', '0.9269'), ('close', '0.9507')]),
OrderedDict([('date', '20010105'), ('open', '0.9507'), ('high', '0.9591'), ('low', '0.9464'), ('close', '0.9575')])]
答案 1 :(得分:1)
我知道这个问题很老,但我认为我建议使用namedtuple
解决方案作为OrderedDict的替代方案,在这种情况下效果很好:
from collections import namedtuple
Bar = namedtuple('Bar', ['date', 'open', 'high', 'low', 'close'])
bars = [Bar(date, o, h, l, c) for date, o, h, l, c in list_of_lists]
>>> bars
[Bar(date='20010103', open='0.9507', high='0.9569', low='0.9262', close='0.9271'),
Bar(date='20010104', open='0.9271', high='0.9515', low='0.9269', close='0.9507'),
Bar(date='20010105', open='0.9507', high='0.9591', low='0.9464', close='0.9575')]
>>> bars[2].date
'20010105'
>>> bars[2].close
'0.9575'
更好的是,人们可以使用字典理解,并以日期为关键:
Bar = namedtuple('Bar', ['open', 'high', 'low', 'close'])
bars = {date: Bar(o, h, l, c) for date, o, h, l, c in list_of_lists}
>>> bars
{'20010103': Bar(open='0.9507', high='0.9569', low='0.9262', close='0.9271'),
'20010104': Bar(open='0.9271', high='0.9515', low='0.9269', close='0.9507'),
'20010105': Bar(open='0.9507', high='0.9591', low='0.9464', close='0.9575')}
>>> bars['20010105']
Bar(open='0.9507', high='0.9591', low='0.9464', close='0.9575')
>>> bars['20010105'].close
'0.9575'