在Python中将列表分成大小为 N 的块
方法一:使用产量
yield 关键字使函数能够在再次调用时从中断的地方返回。这是与常规函数的关键区别。常规函数不能从中断的地方返回。 yield 关键字帮助函数记住它的状态。当函数在暂停执行时返回一个值时,yield 使函数能够暂停和恢复。
my_list = ['geeks', 'for', 'geeks', 'like',
'geeky','nerdy', 'geek', 'love',
'questions','words', 'life']
# Yield successive n-sized
# chunks from l.
def divide_chunks(l, n):
# looping till length l
for i in range(0, len(l), n):
yield l[i:i + n]
# How many elements each
# list should have
n = 5
x = list(divide_chunks(my_list, n))
print (x)
输出:
[['geeks', 'for', 'geeks', 'like', 'geeky'],
['nerdy', 'geek', 'love', 'questions', 'words'],
['life']]
方法 2:使用列表推导
列表推导式是在一行代码中打破列表的一种优雅方式。
my_list = [1, 2, 3, 4, 5,
6, 7, 8, 9]
# How many elements each
# list should have
n = 4
# using list comprehension
final = [my_list[i * n:(i + 1) * n] for i in range((len(my_list) + n - 1) // n )]
print (final)
输出:
[[1, 2, 3, 4], [5, 6, 7, 8], [9]]
替代实施:
l = [1, 2, 3, 4, 5, 6, 7, 8, 9]
# How many elements each
# list should have
n = 4
# using list comprehension
x = [l[i:i + n] for i in range(0, len(l), n)]
print(x)
输出:
[[1, 2, 3, 4], [5, 6, 7, 8], [9]]