从列表字典中获取一组唯一值

Obtain a set of unique values from a dictionary of lists

我有一个字典列表,其中的字典也包含一个列表。

我想生成一个 set 各个嵌套列表的值,以便我最终得到一组所有独特的项目(在本例中为爱好)。

我觉得 set 非常适合这个,因为它会自动删除任何重复项,给我留下一组所有独特的爱好。

people = [{'name': 'John', 'age': 47, 'hobbies': ['Python', 'cooking', 'reading']},
          {'name': 'Mary', 'age': 16, 'hobbies': ['horses', 'cooking', 'art']},
          {'name': 'Bob', 'age': 14, 'hobbies': ['Python', 'piano', 'cooking']},
          {'name': 'Sally', 'age': 11, 'hobbies': ['biking', 'cooking']},
          {'name': 'Mark', 'age': 54, 'hobbies': ['hiking', 'camping', 'Python', 'chess']},
          {'name': 'Alisa', 'age': 52, 'hobbies': ['camping', 'reading']},
          {'name': 'Megan', 'age': 21, 'hobbies': ['lizards', 'reading']},
          {'name': 'Amanda', 'age': 19, 'hobbies': ['turtles']},
          ]

unique_hobbies = (item for item in people['hobbies'] for hobby in people['hobbies'].items())

print(unique_hobbies)

这会产生一个错误:

TypeError: list indices must be integers or slices, not str

我理解错了,但我不确定在哪里。我想遍历每个字典,然后遍历每个嵌套列表并将项目更新到集合中,这将删除所有重复项,给我留下一组所有独特的爱好。

我知道了:

unique_hobbies = set()

for d in people:
    unique_hobbies.update(d['hobbies'])

print(unique_hobbies)

你也可以使用集合理解:

>>> unique_hobbies = {hobby for persondct in people for hobby in persondct['hobbies']}
>>> unique_hobbies
{'horses', 'lizards', 'cooking', 'art', 'biking', 'camping', 'reading', 'piano', 'hiking', 'turtles', 'Python', 'chess'}

你理解的问题是你想访问 people['hobbies']people 是一个列表并且只能用整数或切片索引列表。为了让它工作,你需要遍历你的列表,然后访问每个子字典的 'hobbies'(就像我在上面的 set-comprehension 中所做的那样)。