这实际上是一个非常简单的修改:
from itertools import groupby, count
from operator import itemgetter
a = [1,2,3,5,55,56]
def consc(b, step):
for k, g in groupby(zip(count(step=step), b), lambda (i, x): i-x):
print map(itemgetter(1), g)
consc(a, 2)
这使:
[1]
[2]
[3, 5]
[55]
[56]
我们没有使用enumerate()
,而是使用zip()
andcount()
与所需值的步长,这给出了想要的结果。
稍微整理了一下:
from itertools import groupby, count
from operator import itemgetter
def _sub(item):
a, b = item
return a - b
def consecutive(iterable, step):
for _, g in groupby(zip(count(step=step), iterable), _sub):
yield map(itemgetter(1), g)
a = [1, 2, 3, 5, 55, 56]
print(list(consecutive(a, 2)))
在这里有一个生成器并使用更具描述性的名称是有意义的。使用实际函数可以避免每次使用函数时都重新声明它,就像lambda
. 通过避免使用已从语言中删除的参数解包,这也适用于 Python 3.x。