다음과 같이 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
답변
한 가지 방법은 다음과 같습니다.
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
답변
도움이 될 수 있습니다.
a = [{ 'main_color': 'red', 'second_color':'blue'},
{ 'main_color': 'yellow', 'second_color':'green'},
{ 'main_color': 'yellow', 'second_color':'blue'}]
def in_dictlist((key, value), my_dictlist):
for this in my_dictlist:
if this[key] == value:
return this
return {}
print in_dictlist(('main_color','red'), a)
print in_dictlist(('main_color','pink'), a)
답변
아마도 다음과 같은 기능이 당신이 추구하는 것입니다.
def add_unique_to_dict_list(dict_list, key, value):
for d in dict_list:
if key in d:
return d[key]
dict_list.append({ key: value })
return value
답변
@Mark Byers 훌륭한 답변과 @Florent 질문을 기반으로 2 개 이상의 키가있는 dic 목록의 2 가지 조건에서도 작동 함을 나타냅니다.
names = []
names.append({'first': 'Nil', 'last': 'Elliot', 'suffix': 'III'})
names.append({'first': 'Max', 'last': 'Sam', 'suffix': 'IX'})
names.append({'first': 'Anthony', 'last': 'Mark', 'suffix': 'IX'})
if not any(d['first'] == 'Anthony' and d['last'] == 'Mark' for d in names):
print('Not exists!')
else:
print('Exists!')
결과:
Exists!