我试图将相似的数字组合成一个形式的元组(数字,频率)。
l1=[2,2,2,5,5,7]
如何将此列表转换为以下列表
l1=[(2,3),(5,2),(7,1)]
答案 0 :(得分:6)
您可以使用Counter()
执行此操作:
from collections import Counter
l1 = [2, 2, 2, 5, 5, 7]
l1 = Counter(l1).items()
“key”是列表元素,“value”是出现次数。
例如:
In [7]: from collections import Counter
In [8]: l1=[2,2,2,5,5,7]
In [9]: Counter(l1).keys()
Out[9]: [2, 5, 7]
In [10]: Counter(l1).values()
Out[10]: [3, 2, 1]
In [11]: zip(Counter(l1).keys(), Counter(l1).values())
Out[11]: [(2, 3), (5, 2), (7, 1)]
In [12]: Counter(l1).items()
Out[12]: [(2, 3), (5, 2), (7, 1)]
答案 1 :(得分:4)
像这样使用Counter
:
>>> from collections import Counter
>>> l1=[2,2,2,5,5,7]
>>> c = Counter(l1)
>>> c.items()
dict_items([(2, 3), (5, 2), (7, 1)])