Python中 filter | map | reduce |

2017-11-16  本文已影响0人  万越天

1 filter(function, sequence)

对sequence中的item依次执行function(item),将执行结果为True的item组成一个List/String/Tuple(取决于sequence的类型)返回:

>>> def f(x): return x % 2 != 0 and x % 3 != 0   
>>> filter(f, range(2, 25))   
<filter at 0x1063380f0>
>>> def f(x): return x != 'a'   
>>> filter(f, "abcdef")   
<filter at 0x106338438>

2 map(function, sequence)

对sequence中的item依次执行function(item),见执行结果组成一个List返回:

>>> def cube(x): return x*x*x   
>>> map(cube, range(1, 11))   
<map at 0x1063ba9b0> 
>>> def cube(x) : return x + x   
...   
>>> map(cube , "abcde")   
<map at 0x1063babe0>  
另外map也支持多个sequence,这就要求function也支持相应数量的参数输入:  
>>> def add(x, y): return x+y   
>>> map(add, range(8), range(8))   
<map at 0x1063bc320>

3 reduce(function, sequence, starting_value)

对sequence中的item顺序迭代调用function,如果有starting_value,还可以作为初始值调用,例如可以用来对List求和:

>>> from functools import reduce
>>> def add(x,y): return x + y   
>>> reduce(add, range(1, 11))   
55 (注:1+2+3+4+5+6+7+8+9+10)  
>>> reduce(add, range(1, 11), 20)   
75 (注:1+2+3+4+5+6+7+8+9+10+20) 

4 lambda

这是Python支持一种挺有意思的语法,它允许你快速定义单行的最小函数,类似与C语言中的宏,这些叫做lambda的函数,是从LISP借用来的,可以用在任何需要函数的地方:

>>> g = lambda x: x * 2   
>>> g(3)   
6   
>>> (lambda x: x * 2)(3)   
6  
上一篇下一篇

猜你喜欢

热点阅读