class collections.
Counter
([iterable-or-mapping])
Counter是用于计算可哈希对象的字典子类。它是一个无序的集合,其元素以字典key的形式存储,并将其计数存储为字典value。 计数允许为包括零或负计数的任何整数值。 Counter类与其他语言的bag或multisets类似。
先导入并实例化Counter
>>> from collections import Counter
>>> list = ['a','b','a','c','d','a','a','b']
>>> c = Counter(list)
Counter类内部的构造如下:
>>> c
Counter({'a': 4, 'b': 2, 'c': 1, 'd': 1})
>>> c.values()
dict_values([4, 2, 1, 1])
elements()方法:
将元素返回一个迭代器,每次重复的次数与它的次数相同。 元素以任意顺序返回。 如果一个元素的数量少于一个,elements()会忽略它。
>>> l = Counter(hello=4,happy=3,world=2)
>>> l
Counter({'hello': 4, 'happy': 3, 'world': 2})
>>> list(l)
['hello', 'happy', 'world']
>>> list(l.elements())
['hello', 'hello', 'hello', 'hello', 'happy', 'happy', 'happy', 'world', 'world']
most_common
([n])方法:
从最常见到最不常见的列表中,列出n个最常见的元素及其数量。 如果省略n或None,most_common()返回计数器中的所有元素。 具有相同计数的元素可以任意排序:
>>> l.most_common(2)
[('hello', 4), ('happy', 3)]
subtract
([iterable-or-mapping])方法:
元素从一个迭代器或另一个映射(或计数器)中减去。 像dict.update()一样,但减去计数而不是替换它们。 输入和输出都可以是零或负数。
>>> c = Counter(a=4, b=2, c=0, d=-2)
>>> d = Counter(a=1, b=2, c=3, d=4)
>>> c.subtract(d)
>>> c
Counter({'a': 3, 'b': 0, 'c': -3, 'd': -6})
接下来我们就可以计数了。如下例:
>>> list1
[3.0, 6.0, 8.0, 8.0, 4.0, 6.0, 3.0, 9.0, 6.0, 3.0, 8.0, 6.0, 4.0, 3.0, 6.0, 7.0, 3.0, 3.0, 3.0, 3.0, 3.0, 11.0, 18.0, 6.0, 5.0, 6.0, 6.0, 3.0, 3.0, 6.0, 6.0, 3.0, 3.0, 8.0, 6.0, 6.0, 6.0, 8.0, 4.0, 15.0, 6.0, 7.0, 3.0, 10.0, 5.0, 4.0, 5.0, 5.0, 4.0, 6.0, 8.0, 3.0, 3.0, 6.0, 4.0, 4.0, 3.0, 5.0, 4.0, 5.0, 3.0, 3.0, 3.0, 3.0, 3.0, 3.0, 15.0, 5.0, 3.0, 3.0, 7.0, 8.0, 7.0, 4.0, 6.0, 5.0, 3.0, 3.0, 3.0, 6.0, 4.0, 3.0, 6.0, 3.0, 6.0, 3.0, 4.0, 8.0, 6.0, 6.0, 8.0, 6.0, 5.0, 3.0, 19.0, 3.0, 3.0, 6.0, 6.0, 4.0, 4.0, 6.0, 3.0, 7.0, 3.0, 6.0, 13.0, 3.0, 5.0, 4.0, 8.0, 3.0, 3.0, 14.0, 3.0, 3.0, 3.0, 3.0, 7.0, 5.0, 12.0, 5.0, 9.0, 14.0, 14.0, 12.0, 3.0, 8.0, 8.0, 3.0, 7.0, 3.0, 8.0, 6.0, 6.0, 7.0, 3.0, 3.0, 3.0, 3.0, 12.0, 5.0, 5.0, 6.0, 6.0, 6.0, 14.0, 3.0, 3.0, 3.0, 3.0, 8.0, 5.0, 3.0, 6.0, 15.0, 15.0, 15.0, 6.0, 8.0, 5.0, 8.0, 8.0, 13.0, 3.0, 8.0, 4.0, 8.0, 9.0, 3.0, 2.0, 8.0, 17.0, 8.0, 7.0, 5.0, 7.0, 6.0, 3.0, 3.0, 3.0, 8.0, 3.0, 6.0, 6.0, 4.0, 3.0, 3.0, 3.0, 3.0, 3.0, 3.0, 10.0, 3.0, 12.0, 5.0, 6.0, 3.0, 4.0, 12.0]
>>> l = Counter(list1)
>>> l.most_common()
[(3.0, 69), (6.0, 38), (8.0, 22), (5.0, 18), (4.0, 17), (7.0, 10), (15.0, 5), (12.0, 5), (14.0, 4), (9.0, 3), (10.0, 2), (13.0, 2), (11.0, 1), (18.0, 1), (19.0, 1), (2.0, 1), (17.0, 1)]