在 Python 中获取唯一字典列表
Get a list of unique dictionaries in Python
要获取唯一词典的列表:
- 使用字典理解来遍历列表。
- 使用每个
id
属性的值作为键,使用字典作为值。 - 使用该
dict.values()
方法只获取唯一的字典。 - 使用
list()
该类将结果转换为列表。
主程序
list_of_dictionaries = [ {'id': 1, 'site': 'bobbyhadz.com'}, {'id': 2, 'site': 'google.com'}, {'id': 1, 'site': 'bobbyhadz.com'}, ] result = list( { dictionary['id']: dictionary for dictionary in list_of_dictionaries }.values() ) # 👇️ [{'id': 1, 'site': 'bobbyhadz.com'}, {'id': 2, 'site': 'google.com'}] print(result)
我们使用字典理解来遍历字典列表。
字典理解与列表理解非常相似。
他们对字典中的每个键值对执行一些操作,或者选择满足条件的键值对的子集。
在每次迭代中,我们将当前的值设置id
为键,将实际字典设置为值。
字典中的键是唯一的,所以任何重复的值都会被过滤掉。
然后我们使用该dict.values()
方法只返回唯一的字典。
dict.values方法返回字典
值的新视图。
主程序
my_dict = {'id': 1, 'name': 'bobbyhadz'} print(my_dict.values()) # 👉️ dict_values([1, 'bobbyhadz'])
最后一步是使用list()
该类将视图对象转换为包含唯一字典的列表。
列表类接受一个可迭代对象并返回一个列表对象。
这是完整的代码片段。
主程序
list_of_dictionaries = [ {'id': 1, 'site': 'bobbyhadz.com'}, {'id': 2, 'site': 'google.com'}, {'id': 1, 'site': 'bobbyhadz.com'}, ] result = list( { dictionary['id']: dictionary for dictionary in list_of_dictionaries }.values() ) # 👇️ [{'id': 1, 'site': 'bobbyhadz.com'}, {'id': 2, 'site': 'google.com'}] print(result)
使用 for 循环获取唯一字典列表
要获取唯一词典的列表:
- 声明一个存储空列表的新变量。
- 使用
for
循环遍历字典列表。 - 使用该
list.append()
方法将唯一词典添加到新列表中。
主程序
list_of_dictionaries = [ {'id': 1, 'site': 'bobbyhadz.com'}, {'id': 2, 'site': 'google.com'}, {'id': 1, 'site': 'bobbyhadz.com'}, ] new_list = [] for dictionary in list_of_dictionaries: if dictionary not in new_list: new_list.append(dictionary) # 👇️ [{'id': 1, 'site': 'bobbyhadz.com'}, {'id': 2, 'site': 'google.com'}] print(new_list)
我们使用for
循环遍历字典列表。
在每次迭代中,我们使用not in
运算符检查字典是否不存在于新列表中。
如果满足条件,我们使用该list.append()
方法将字典附加到列表中。
in 运算符
测试成员资格。
例如,如果是 的成员,则x in l
计算为 ,否则计算为。True
x
l
False
x not in l
返回 的否定x in l
。list.append
()
方法将一个项目添加到列表的末尾。
主程序
my_list = ['bobby', 'hadz'] my_list.append('com') print(my_list) # 👉️ ['bobby', 'hadz', 'com']