小编典典

检查字典列表中是否已经存在值?

all

我有一个 Python 字典列表,如下所示:

a = [
    {'main_color': 'red', 'second_color':'blue'},
    {'main_color': 'yellow', 'second_color':'green'},
    {'main_color': 'yellow', 'second_color':'blue'},
]

我想检查列表中是否已经存在具有特定键/值的字典,如下所示:

// is a dict with 'main_color'='red' in the list already?
// if not: add item

阅读 84

收藏
2022-08-24

共1个答案

小编典典

这是一种方法:

if not any(d['main_color'] == 'red' for d in a):
    # does not exist

括号中的部分是一个生成器表达式,它True为每个具有您要查找的键值对的字典返回,否则为False.


如果密钥也可能丢失,上面的代码可以给你一个KeyError. 您可以通过使用get并提供默认值来解决此问题。如果您不提供 默认
值,None则返回。

if not any(d.get('main_color', default_value) == 'red' for d in a):
    # does not exist
2022-08-24