协慌网

登录 贡献 社区

如何将列表拆分为大小均匀的块?

我有一个任意长度的列表,我需要将它分成相同大小的块并对其进行操作。有一些明显的方法可以做到这一点,比如保留一个计数器和两个列表,当第二个列表填满时,将它添加到第一个列表并清空下一轮数据的第二个列表,但这可能非常昂贵。

我想知道是否有人对任何长度的列表都有一个很好的解决方案,例如使用生成器。

我在itertools中寻找有用的东西,但我找不到任何明显有用的东西。但是可能会错过它。

相关问题: 在块中迭代列表的最 “pythonic” 方法是什么?

答案

这是一个产生你想要的块的生成器:

def chunks(l, n):
    """Yield successive n-sized chunks from l."""
    for i in range(0, len(l), n):
        yield l[i:i + n]

import pprint
pprint.pprint(list(chunks(range(10, 75), 10)))
[[10, 11, 12, 13, 14, 15, 16, 17, 18, 19],
 [20, 21, 22, 23, 24, 25, 26, 27, 28, 29],
 [30, 31, 32, 33, 34, 35, 36, 37, 38, 39],
 [40, 41, 42, 43, 44, 45, 46, 47, 48, 49],
 [50, 51, 52, 53, 54, 55, 56, 57, 58, 59],
 [60, 61, 62, 63, 64, 65, 66, 67, 68, 69],
 [70, 71, 72, 73, 74]]

如果您使用的是 Python 2,则应使用xrange()而不是range()

def chunks(l, n):
    """Yield successive n-sized chunks from l."""
    for i in xrange(0, len(l), n):
        yield l[i:i + n]

您也可以简单地使用列表理解而不是编写函数。 Python 3:

[l[i:i + n] for i in range(0, len(l), n)]

Python 2 版本:

[l[i:i + n] for i in xrange(0, len(l), n)]

如果你想要一些超级简单的事:

def chunks(l, n):
    n = max(1, n)
    return (l[i:i+n] for i in xrange(0, len(l), n))

直接来自(旧)Python 文档(itertools 的配方):

from itertools import izip, chain, repeat

def grouper(n, iterable, padvalue=None):
    "grouper(3, 'abcdefg', 'x') --> ('a','b','c'), ('d','e','f'), ('g','x','x')"
    return izip(*[chain(iterable, repeat(padvalue, n-1))]*n)

当前版本,由 JFSebastian 建议:

#from itertools import izip_longest as zip_longest # for Python 2.x
from itertools import zip_longest # for Python 3.x
#from six.moves import zip_longest # for both (uses the six compat library)

def grouper(n, iterable, padvalue=None):
    "grouper(3, 'abcdefg', 'x') --> ('a','b','c'), ('d','e','f'), ('g','x','x')"
    return zip_longest(*[iter(iterable)]*n, fillvalue=padvalue)

我猜 Guido 的时间机器工作 - 工作 - 将工作 - 将工作 - 再次工作。

这些解决方案有效,因为[iter(iterable)]*n (或早期版本中的等价物)创建一个迭代器,在列表中重复n次。 izip_longest然后有效地执行 “每个” 迭代器的循环; 因为这是相同的迭代器,所以每个这样的调用都会使它前进,从而导致每个这样的 zip-roundrobin 生成一个n个元组的元组。