Python报错:NameError: name ‘reduce’ is not defined
1. 解决报错:
从 functools 模块中导入 reduce 函数:
from functools import reduce
分析:
- reduce() 函数在 python2 中是内置函数,在 python3 中放到了 functools 模块下。
示例:
from functools import reduce
def add(a, b):
return a+b
print(reduce(add, [1,2,3,4]))
10
2. reduce()函数介绍
reduce(function, iterable[, initializer]),从左到右对一个序列的项累计地应用有两个参数的函数,以此合并序列到一个单一值,上面的示例中返回 (((1+2)+3)+4)。
-
function — 指定包含两个参数函数名
-
iterable ---- 可迭代对象(列表、元组等)
-
initializer – 可选,初始参数
示例:
-
上面的示例中使用了将列表中各数相加功能,也可将列表中各数相乘(阶乘):
def mul(a, b): return a*b print(reduce(mul, [1,2,3,4]))
24
-
将列表中 0~9 的自然数数拼成一个整数:
def joint(a, b): return a*10+b print(reduce(joint, [1,2,3,4]))
1234
-
初始参数使用:
print(reduce(joint, [1,2,3,4], 5))
51234