接下来学习怎么创建匿名函数
lambda 表达式
Python 允许使用lambda关键字创建匿名函数
lambda
函数怎么使用? 单个参数
>>> def add(x):
return 2*x + 1
>>> add(5)
11
#使用lambda函数的写法:
>>> lambda x : 2 * x + 1
at 0x000000AE37D46A60>
#冒号的前边是原函数的参数,冒号的后边是原函数的返回值。
>>> g = lambda x : 2 * x + 1
>>> g(5)
11
多个参数
>>>
>>> def add(x,y):
return x + y
>>> add(3,4)
7
>>> lambda x,y : x+y
at 0x000000AE37D46B70>
>>> g = lambda x,y : x+y
>>> g(3,4)
7
filter() 与 map()
filter()
>>> help(filter)
Help on class filter in module builtins:
class filter(object)
| filter(function or None, iterable) --> filter object
| 过滤器(函数或无,可迭代) - >过滤器对象
|
| Return an iterator yielding those items of iterable for which function(item)
| is true. If function is None, return the items that are true.
| 返回一个迭代器,产生那些函数(item)为true的iterable项。 如果函数为None,则返回true的项目。
#例子:
>>> filter(None,[1,0,False,True])
>>> list(filter(None,[1,0,False,True]))
[1, True]
#利用filter,我们尝试写出一个筛选基数的过滤器。(基数:不能被2整除的数)
def odd(x):
return x % 2
temp = range(10)
show = filter(odd,temp)
list(show)
[1, 3, 5, 7, 9]
#用lambda表达式写:
list(filter(lambda x : x % 2, range(10)))
[1, 3, 5, 7, 9]
#将序列的每一个元素作为函数的参数进行运算加工,直到可迭代序列的每个元素都加工完毕,
#返回所有加工后的元素构成的新序列
list(map(lambda x : x * 2,range(10)))
[0, 2, 4, 6, 8, 10, 12, 14, 16, 18]
>>> def fun(x,y=3):
return x * y
>>> fun(4)
12
#改写后:
>>> g = lambda x,y=3 : x * y
>>> g(4)
12
>>> f = lambda x : x if x%2 else None
>>> f(5)
5
>>> f(4)
没有返回
#改写后:
>>> def y(x):
if x%2:
return x
else:
return None
>>> y(5)
5
>>> y(4)
没有返回
>>> list(filter(lambda x : x if x%3==0 else None,range(101)))
[3, 6, 9, 12, 15, 18, 21, 24, 27, 30, 33, 36, 39, 42, 45, 48, 51, 54, 57, 60, 63, 66, 69, 72, 75, 78, 81, 84, 87, 90, 93, 96, 99]
>>> list(filter(lambda x : not(x%3),range(1,100)))
[3, 6, 9, 12, 15, 18, 21, 24, 27, 30, 33, 36, 39, 42, 45, 48, 51, 54, 57, 60, 63, 66, 69, 72, 75, 78, 81, 84, 87, 90, 93, 96, 99]
>>> list(zip([1,3,5,7,9],[2,4,6,8,10,12]))
[(1, 2), (3, 4), (5, 6), (7, 8), (9, 10)]
>>> list(map(lambda x,y:[x,y],[1,3,5,7,9],[2,4,6,8,10,12]))
[[1, 2], [3, 4], [5, 6], [7, 8], [9, 10]]
def make_repeat(n):
return lambda s : s * n
double = make_repeat(2)
print(double(8))
print(double('FishC'))
--可以改写成这种形式:
>>> def make_repeat(n):
def xx(s):
return s * n
return xx
>>> double = make_repeat(2)
>>> print(double(8))
16
>>> print(double('FishC'))
会打印:
16