map會將⼀個函數映射到⼀個輸⼊列表的所有元素上。
相當於批量輸入收集批量輸出。
⼤多數時候,使⽤匿名函數(lambda)來配合map。
# 最基本的方法
inputs = [1, 2, 3, 4, 5, 6]
outputs = []
for i in inputs:
outputs.append(i ** 3)
print(outputs)
進行簡化
# 現在的方法
inputs = [1, 2, 3, 4, 5, 6]
outputs = list(map(lambda x: x ** 3, inputs))
print(outputs)
甚至可以批量輸入一系列的函數。
# 批量輸入一系列函數
def Func1(x):
return x * x
def Func2(x):
return x + x
FuncList = [Func1, Func2]
for i in range(5):
res = map(lambda x: x(i), FuncList)
print(list(res))
輸出是一組列表:
[0, 0]
[1, 2]
[4, 4]
[9, 6]
[16, 8]
在python2中map直接返回列表;
在python3中返回迭代器;
為了兼容python3, 需要list轉換⼀下;
filter過濾列表中的元素
filter返回⼀個由所有符合要求的元素所構成的列表
符合要求:函數映射到該元素時返回值為True
filter類似於⼀個for循環,但它是⼀個內置函數,並且更快。
# filter例子
inputs = range(-10, 10)
outputs = list(filter(lambda x: x < 0, inputs))
print("The numbers which are less than 0 are: {}".format(outputs))
輸出是:
The numbers which are less than 0 are: [-10, -9, -8, -7, -6, -5, -4, -3, -2, -1]
在python2中filter直接返回列表;
在python3中返回迭代器;
為了兼容python3, 需要list轉換⼀下;
當需要對⼀個列表進行⼀些計算並返回結果時,Reduce將會變得十分有用。
例如:計算一個整數列表的平方和。
# reduce例子
from functools import reduce
inputs = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
outputs = reduce(lambda x, y: x + y, inputs)
輸出結果是:
print("和是:{}".format(outputs))