python3----函數(map)
阿新 • • 發佈:2018-01-12
而是 註意 元素 int 使用 沒有 英文名字 col upper
map()函數 map()是 python 內置的高階函數,它接收一個函數 f 和一個 list,並通過把函數 f 依次作用在 list 的每個元素上,得到一個新的 list 並返回。
例如,對於list [1, 2, 3, 4, 5, 6, 7, 8, 9] 如果希望把list的每個元素都作平方,就可以用map()函數: 因此,我們只需要傳入函數f(x)=x*x,就可以利用map()函數完成這個計算: def f(x): return x*x print(list(map(f, [1, 2, 3, 4, 5, 6, 7, 8, 9]))) 輸出結果: [1, 4, 9, 10, 25, 36, 49, 64, 81]
配合匿名函數使用:
data = list(range(10))
print(list(map(lambda x: x * x, data)))
[0, 1, 4, 9, 16, 25, 36, 49, 64, 81]
註意:map()函數不改變原有的 list,而是返回一個新的 list。 利用map()函數,可以把一個 list 轉換為另一個 list,只需要傳入轉換函數。 由於list包含的元素可以是任何類型,因此,map() 不僅僅可以處理只包含數值的 list,事實上它可以處理包含任意類型的 list,只要傳入的函數f可以處理這種數據類型。 任務 假設用戶輸入的英文名字不規範,沒有按照首字母大寫,後續字母小寫的規則,請利用map()函數,把一個list(包含若幹不規範的英文名字)變成一個包含規範英文名字的list:
1 def format_name(s): 2 s1 = s[0:1].upper() + s[1:].lower() 3 return s1 4 5 print(list(map(format_name, [‘adam‘, ‘LISA‘, ‘barT‘]))) 6 7 results: 8 9 [‘Adam‘, ‘Lisa‘, ‘Bart‘]
python3----函數(map)