#python #glom
Вопрос:
У меня есть вложенный dict по умолчанию, который выглядит следующим образом:
source["China"]["Beijing"] = {
"num_persons" : 1454324,
"num_cars" : 134
}
source["Greece"]["Athens"] = {
"num_persons" : 2332,
"num_cars" : 12
}
Как мне преобразовать приведенный выше вложенный dict в список записей, подобный приведенному ниже, используя glom
:
result = [
{
'country' : 'China',
'city' : 'Beijing',
'num_persons' : 1454324,
'num_cars' : 134
},
{
'country' : 'Greece',
'city' : 'Athens',
'num_persons' : 2332,
'num_cars' : 12
}
]
Я посмотрел на https://glom.readthedocs.io/en/latest/tutorial.html#data-driven-assignment , но я все еще в тупике.
Ответ №1:
Я не думаю, что для этого вам нужен пакет. Достаточно просто понимания списка.
from collections import defaultdict
source = defaultdict(lambda: defaultdict(dict))
source["China"]["Beijing"] = {"num_persons": 1454324, "num_cars": 134}
source["Greece"]["Athens"] = {"num_persons": 2332, "num_cars": 12}
result = [{'country': country, 'city': city, **info} for country, cities in source.items() for city, info in cities.items()]
(Для обобщенной распаковки вам нужен python 3.5 **info
.)
Вывод:
[{'country': 'China', 'city': 'Beijing', 'num_persons': 1454324, 'num_cars': 134},
{'country': 'Greece', 'city': 'Athens', 'num_persons': 2332, 'num_cars': 12}]