晚上好,我有这样的清单:
start_list = [
{u'body': u'Hello',
u'state': u'US',
u'user': {u'login': u'JON', u'id': 33}},
{u'body': u'Hola',
u'state': u'ES',
u'user': {u'login': u'PABLO', u'id': 46}}
]
我想通过从'user'键中提取字典来获取新列表,并得到以下结果:
final_list = [
{u'body': u'Hello', u'state': u'US', u'login': u'JON', u'id': 33},
{u'body': u'Hola', u'state': u'ES',u'login': u'PABLO', u'id': 46}
]
我已经测试了此代码,但未成功:
content = start_list[0]['user']
for element in start_list:
final_list.append({key: elemento[key] for key in
["body","state",contenuto]})
是否可以在python中进行for循环来做到这一点?
答案 0 :(得分:2)
如果您有静态的字典模式,则可以执行以下操作:
final_list = [{
'body': d['body'],
'state': d['state'],
'login': d['user']['login'],
'id': d['user']['id'],
} for d in start_list]
如果您的字典模式大/动态,则可以执行以下操作:
final_list = []
for d in start_list:
r = {}
for key in d['user']:
r[key] = d['user'][key]
for key in d:
if key != 'user':
r[key] = d[key]
final_list.append(r)
如果要修改start_list
(就地进行修改),可以执行以下操作:
for d in start_list:
d.update(d['user'])
d.pop('user')