我最近一直在使用Counter().most_common
,但问题是我需要将它显示出来的百分比,例如:
[(2, 5), (10, 5)]
为:
[(2, 50%), (10, 50%)]
有没有办法使用Counter().most_common
或任何其他方法执行此操作?
以下是我的代码的一部分:
while count < int(DR):
count = count + int(1)
DV.append(random.randint(1, int(DI)))
if count == int(DR):
print ('\n(The Number that was rolled , the amount of times it came up):')
global x
print (Counter(DV).most_common(int((DI))))
答案 0 :(得分:19)
from collections import Counter
l = [1, 1, 2, 2, 2, 2, 2, 3, 4, 10, 10, 10, 10, 10]
c = Counter(l)
[(i, c[i] / len(l) * 100.0) for i in c]
输出,格式为(element, % of total)
[(1, 14.285714285714285),
(2, 35.714285714285715),
(3, 7.142857142857142),
(4, 7.142857142857142),
(10, 35.714285714285715)]
要列出它们,您可以使用collections.Counter.most_common
>>> [(i, c[i] / len(l) * 100.0) for i, count in c.most_common()]
[(2, 35.714285714285715),
(10, 35.714285714285715),
(1, 14.285714285714285),
(3, 7.142857142857142),
(4, 7.142857142857142)]
答案 1 :(得分:0)
如果您没有原始数据,您仍然可以使用Counter
完成此操作。
OrderedDict([(i, str(round(count / sum(c.values()) * 100.0, 3)) + '%') for i, count in c.most_common()])
其中:
i
是计算的项目; count
是该项目的计数; c
是Counter
对象3
是百分比的精确度如果将sum(c.values())
移出列表压缩之外,则可以提高性能。