Python,试图在综合列表中生成字典

时间:2015-02-25 11:27:15

标签: python dictionary list-comprehension dictionary-comprehension

如果我想使用理解和三元语言从单词列表中生成字典,我会遇到一些问题并需要帮助。

应该在没有额外模块导入的情况下生成字典,使用字长作为键,字作为值。 这是我最简化的问题:

l=['hdd', 'fdd', 'monitor', 'mouse', 'motherboard']

d={}

for w in l :
    if len(w) in d  : d[ len(w) ].append( w )
    else            : d[ len(w) ] = [ w ]

# and dictionary inside list is OK:
print [d]
>>>[{11: ['motherboard'], 3: ['hdd', 'fdd'], 5: ['mouse'], 7: ['monitor']}]

然后试图使其全面:

d={}
print [ d[ len(w) ].append( w ) if len(w) in d else d.setdefault( len(w), [w] ) for w in l ]
>>>[['hdd', 'fdd'], None, ['monitor'], ['mouse'], ['motherboard']]

......这不起作用。有什么帮助吗?

1 个答案:

答案 0 :(得分:1)

一切都很好,但你没有看正确的事情:不要打印列表理解返回的内容。
它通过列表推导为您提供d[ len(w) ].append( w )产量列表,但您感兴趣的只是d

l=['hdd', 'fdd', 'monitor', 'mouse', 'motherboard']

d={}
[ d[ len(w) ].append( w ) if len(w) in d else d.setdefault( len(w), [w] ) for w in l ]
print d
>>> {11: ['motherboard'], 3: ['hdd', 'fdd'], 5: ['mouse'], 7: ['monitor']}

这似乎是你所期望的。