在列表中查找ContiguousCount项?

alv*_*vas 3 python counter list contiguous

给出一个清单:

>>> l = ['x', 'x', 'y', 'y', 'x']
Run Code Online (Sandbox Code Playgroud)

我可以使用以下方法获取列表的计数collections.Counter:

>>> from collections import Counter
>>> Counter(l)
Counter({'x': 3, 'y': 2})
Run Code Online (Sandbox Code Playgroud)

如何计算连续项而不是列表中元素的全局计数?例如

>>> l = ['x', 'x', 'y', 'y', 'x']
>>> ContiguousCounter(l)
[('x',2), ('y',2), ('x', 1)]

>>> l = ['x', 'x', 'y', 'y', 'x', 'x', 'x', 'y']
>>> ContiguousCounter(l)
[('x',2), ('y',2), ('x', 3), ('y', 1)]
Run Code Online (Sandbox Code Playgroud)

awe*_*oon 8

你可以使用内置itertools.groupby函数:

In [3]: from itertools import groupby

In [4]: l = ['x', 'x', 'y', 'y', 'x']

In [5]: list(groupby(l))
Out[5]: 
[('x', <itertools._grouper at 0x7fd94716f1d0>),
 ('y', <itertools._grouper at 0x7fd94716f208>),
 ('x', <itertools._grouper at 0x7fd94716f240>)]

In [6]: [(x, len(list(g))) for x, g in groupby(l)]
Out[6]: [('x', 2), ('y', 2), ('x', 1)]
Run Code Online (Sandbox Code Playgroud)