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

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


当前回答

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

其他回答

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

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

dict_name_goes_here.values()

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

dict_name_goes_here.keys()

如果你想要所有的项(包括键和值),我会使用这个:

dict_name_goes_here.items()

包含字典的python文件代码

dict={"Car":"Lamborghini","Mobile":"iPhone"}
print(dict)

如果你想只打印值(而不是键),那么你可以使用:

dict={"Car":"Lamborghini","Mobile":"iPhone"}
for thevalue in dict.values():
    print(thevalue)

这将只打印值而不是字典中的键

好处:如果有一个字典,其中的值存储在列表中,如果你想只在新行上打印值,那么你可以使用:

dict={"Car":["Lamborghini","BMW","Mercedes"],"Mobile":["Iphone","OnePlus","Samsung"]}
nd = [value[i] for value in dict.values()
         for i in range(2)]
print(*nd,sep="\n")

引用-纳伦德拉Dwivedi -仅从字典中提取值

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

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:是的,我喜欢屈服。: -)

如果你只需要字典键1、2和3,请使用:your_dict.keys()。

如果你只需要字典值-0.3246、-0.9185和-3985,使用:your_dict.values()。

如果同时需要键和值,请使用:your_dict.items(),它将返回元组列表[(key1, value1), (key2, value2),…]。