我有一个字典d ={1:-0.3246, 2:-0.9185, 3:-3985,…}。

我如何将d的所有值提取到列表l中?


当前回答

使用值()

>>> d = {1:-0.3246, 2:-0.9185, 3:-3985}

>>> d.values()
<<< [-0.3246, -0.9185, -3985]

其他回答

如果你想要所有的值,使用这个:

dict_name_goes_here.values()

对于嵌套字典、字典列表和列出字典的字典,…你可以使用

from typing import Iterable

def get_all_values(d):
    if isinstance(d, dict):
        for v in d.values():
            yield from get_all_values(v)
    elif isinstance(d, Iterable) and not isinstance(d, str): # or list, set, ... only
        for v in d:
            yield from get_all_values(v)
    else:
        yield d 

一个例子:

d = {'a': 1, 'b': {'c': 2, 'd': [3, 4]}, 'e': [{'f': 5}, {'g': set([6, 7])}], 'f': 'string'}
list(get_all_values(d)) # returns [1, 2, 3, 4, 5, 6, 7, 'string']

非常感谢@vicent指出字符串也是可迭代的!我相应地更新了我的答案。

PS:是的,我喜欢屈服。: -)

d = <dict>
values = d.values()

我知道这个问题几年前就有人问过了,但即使在今天,这个问题仍然很有意义。

>>> d = {1:-0.3246, 2:-0.9185, 3:-3985}
>>> l = list(d.values())
>>> l
[-0.3246, -0.9185, -3985]

对于Python 3,你需要:

list_of_dict_values = list(dict_name.values())