python – 我可以将计数器反转到没有倍数的列表列表吗?

使用
Collection Counter,

l1 = ['a', 'b', 'b', 'c', 'c', 'b', 'e']
l2 = ['a', 'b', 'b', 'c', 'c', 'b','d']

from collections import Counter

c1 = Counter(l1)
c2 = Counter(l2)

# Intersection 
c1 & c2

>>> Counter({'b': 3, 'c': 2, 'a': 1})

什么成语可以将Collections Counter分配到列表列表中,每个列表在每个列表中只出现一次?

[['a', 'b', 'c'],['b', 'c'],['b']]

最佳答案 不知道你是否在寻找单线,但这是一个单线:

码:

[sorted(y for y in z if y is not None) 
       for z in it.izip_longest(*[[k] * l for k, l in c.items()])]

怎么样?

这里有两件关键的事情

> [k] * l给出一个计数器键列表,它是计数器值长
> izip_longest()会将列表添加到其他列表中,填充填充为none

测试代码:

from collections import Counter
c = Counter({'b': 3, 'c': 2, 'a': 1})

import itertools as it
print([sorted(y for y in z if y is not None) 
       for z in it.izip_longest(*[[k] * l for k, l in c.items()])])

结果:

[['a', 'b', 'c'], ['b', 'c'], ['b']]
点赞