标题: 掌握十个 Python Itertools让你代码华丽变身 [打印本页] 作者: lsekfe 时间: 2023-5-25 13:32 标题: 掌握十个 Python Itertools让你代码华丽变身 Python的美丽在于它的简洁性。
不仅因为Python的语法优雅,还因为它有许多设计良好的内置模块,能够高效地实现常见功能。
itertools模块就是一个很好的例子,它为我们提供了许多强大的工具,可以在更短的代码中操作Python的可迭代对象。
用更少的代码实现更多的功能,这就是你可以从itertools模块中获得的好处。让我们从本文中了解一下。 1、itertools.product(): 避免嵌套循环的巧妙方法
当程序变得越来越复杂时,你可能需要编写嵌套循环。同时,你的Python代码将变得丑陋和难以阅读:
list_a = [1, 2020, 70]
list_b = [2, 4, 7, 2000]
list_c = [3, 70, 7]
for a in list_a:
for b in list_b:
for c in list_c:
if a + b + c == 2077:
print(a, b, c)
# 70 2000 7
如何使上述代码再次具有 Python 风格?
那 itertools.product() 函数就是你的朋友:
from itertools import product
list_a = [1, 2020, 70]
list_b = [2, 4, 7, 2000]
list_c = [3, 70, 7]
for a, b, c in product(list_a, list_b, list_c):
if a + b + c == 2077:
print(a, b, c)
# 70 2000 7
3、itertools.groupby(): 对可迭代对象进行分组
itertools.groupby()函数是一种方便的方式,用于将可迭代对象中相邻的重复项进行分组。
例如,我们可以将一个长字符串进行分组,如下所示:
from itertools import groupby
for key, group in groupby('LinnuxmiMi'):
print(key, list(group))
此外,我们可以利用它的第二个参数告诉groupby()函数如何确定两个项是否相同:
from itertools import groupby
for key, group in groupby('LinnuxmiMi', lambda x: x.upper()):
print(key, list(group))
4、itertools.combinations(): 从可迭代对象中获取给定长度的所有组合
对于初学者来说,编写一个无 bug 的函数来获取列表的所有可能组合可能需要一些时间。
事实上,如果她了解 itertools.combinations() 函数,她可以很容易地实现:
import itertools
author = ['L', 'i', 'n', 'u', 'x']
result = itertools.combinations(author, 2)
for a in result:
print(a)