collections.Counter

Counter 是一个 dict 子类,允许你轻松计算对象。它具有用于处理你正在计数的对象的频率的实用方法。

import collections
counts = collections.Counter([1,2,3])

上面的代码创建了一个对象 count,它具有传递给构造函数的所有元素的频率。此示例的值为 Counter({1: 1, 2: 1, 3: 1})

构造函数示例

信柜台

>>> collections.Counter('Happy Birthday')
Counter({'a': 2, 'p': 2, 'y': 2, 'i': 1, 'r': 1, 'B': 1, ' ': 1, 'H': 1, 'd': 1, 'h': 1, 't': 1})

字计数器

>>> collections.Counter('I am Sam Sam I am That Sam-I-am That Sam-I-am! I do not like that Sam-I-am'.split())
Counter({'I': 3, 'Sam': 2, 'Sam-I-am': 2, 'That': 2, 'am': 2, 'do': 1, 'Sam-I-am!': 1, 'that': 1, 'not': 1, 'like': 1})

食谱

>>> c = collections.Counter({'a': 4, 'b': 2, 'c': -2, 'd': 0})

获取个别元素的数量

>>> c['a']
4

设置单个元素的数量

>>> c['c'] = -3
>>> c
Counter({'a': 4, 'b': 2, 'd': 0, 'c': -3})

获取计数器中的元素总数(4 + 2 + 0 - 3)

>>> sum(c.itervalues())  # negative numbers are counted!
3

获取元素(仅保留具有正计数器的元素)

>>> list(c.elements())
['a', 'a', 'a', 'a', 'b', 'b']

删除 0 或负值的键

>>> c - collections.Counter()
Counter({'a': 4, 'b': 2})

删除一切

>>> c.clear()
>>> c
Counter()

添加删除单个元素

>>> c.update({'a': 3, 'b':3})
>>> c.update({'a': 2, 'c':2})  # adds to existing, sets if they don't exist
>>> c
Counter({'a': 5, 'b': 3, 'c': 2})
>>> c.subtract({'a': 3, 'b': 3, 'c': 3})  # subtracts (negative values are allowed)
>>> c
Counter({'a': 2, 'b': 0, 'c': -1})