如何计算每个嵌套列表的项目频率?

How do I count the frequency of items for each nested list?

我有一个列表列表,我想计算每个嵌套列表中每个项目的频率。我尝试使用 Defaultdict 进行计数,但我不知道如何创建一个漂亮的字典嵌套列表作为输出以区分 nested_list 中每个列表的频率。

榜单:

nested_list = [[hello, hello, hello, how, are, you],[1, 2, 2, 2],[tree, flower, tree]]

期望的输出:

final_list = [{hello: 3, how: 1, are: 1, you: 1}, {1: 1, 2: 3}, {tree: 2, flower:1}]

我目前拥有的:

dictionary = defaultdict(int)

for item in nested_list: 
    for x in item:
        dictionary[x] += 1

使用 collections.Counter,并转换为 dict:

>>> from collections import Counter
>>> [dict(Counter(x)) for x in nested_list]
[{'hello': 3, 'how': 1, 'are': 1, 'you': 1},
 {1: 1, 2: 3},
 {'tree': 2, 'flower': 1}]