python – 使用list / tuple元素作为键创建字典

我需要生成一个这样的字典:

{
  'newEnv': {
     'newProj': {
        'newComp': {
           'instances': [],
           'n_thing': 'newThing'
        }
     }
  }
}

从一个元组,像这样:(‘newEnv’,’newProj’,’newComp’,’newThing’)但只有当它还不存在时.所以,我试过这个:

myDict = {}
(env,proj,comp,thing) = ('newEnv','newProj','newComp','newThing')

if env not in myDict:
    myDict[env] = {}
if proj not in myDict[env]:
    myDict[env][proj] = {}
if comp not in myDict[env][proj]:
    myDict[env][proj][comp] = {'n_thing': thing, 'instances': []}

这几乎是有效但不确定效率如何,或者我应该这样做.有什么建议么)??

解决方法:

你可以使用一个循环(只有前3个键,newThing不是链中的一个键):

myDict = {}
path = ('newEnv','newProj','newComp')
current = myDict
for key in path:
    current = current.setdefault(key, {})

当前最终作为最里面的字典,让你设置’n_thing’和’实例’键.

您可以使用reduce()将其折叠为单行:

myDict = {}
path = ('newEnv','newProj','newComp')
reduce(lambda d, k: d.setdefault(k, {}), path, myDict)

reduce调用返回最里面的字典,因此您可以使用它来分配最终值:

myDict = {}
path = ('newEnv','newProj','newComp')
inner = reduce(lambda d, k: d.setdefault(k, {}), path, myDict)
inner.update({'n_thing': 'newThing', 'instances': []})
上一篇:java – 用于元组列表的crudrepository findBy方法签名


下一篇:在Python中,如何将元组列表加入一个列表?