Map
會將一個函數(shù)映射到一個輸入列表的所有元素上。這是它的規(guī)范:
規(guī)范
map(function_to_apply, list_of_inputs)
大多數(shù)時候,我們要把列表中所有元素一個個地傳遞給一個函數(shù),并收集輸出。比方說:
items = [1, 2, 3, 4, 5]
squared = []
for i in items:
squared.append(i**2)
Map
可以讓我們用一種簡單而漂亮得多的方式來實現(xiàn)。就是這樣:
items = [1, 2, 3, 4, 5]
squared = list(map(lambda x: x**2, items))
大多數(shù)時候,我們使用匿名函數(shù)(lambdas)來配合map
, 所以我在上面也是這么做的。
不僅用于一列表的輸入, 我們甚至可以用于一列表的函數(shù)!
def multiply(x):
return (x*x)
def add(x):
return (x+x)
funcs = [multiply, add]
for i in range(5):
value = map(lambda x: x(i), funcs)
print(list(value))
# 譯者注:上面print時,加了list轉(zhuǎn)換,是為了python2/3的兼容性
# 在python2中map直接返回列表,但在python3中返回迭代器
# 因此為了兼容python3, 需要list轉(zhuǎn)換一下
# Output:
# [0, 0]
# [1, 2]
# [4, 4]
# [9, 6]
# [16, 8]