【Python】map函式

楊奇龍發表於2017-07-16
一 簡介
   Python 內建了很多非常有用的函式 比如map() ,reduce(),filter(),還有lambda。熟練應用這些函式可以在寫python程式的時候構建精簡的程式碼。本文先來了解map函式。
二 使用 
用法
  1. map(func, seq1[, seq2,])
map接收兩個引數,第一個引數是函式名,第二個是一個或多個可迭代的序列,返回的是一個集合。執行時,map()將func作用於序列中的每一個元素,並將結果作為一個list返回。如果func為None,作用同zip()。
2.1 當seq 只有一個時,map函式返回將func函式作用於 seq每個元素並返回一個新的list集合,

比如需要將seq的元素乘以2 ,使用map可以寫成
  1. In [4]: l=[1, 2, 3, 4, 5, 6, 7, 8, 9]
  2. In [5]: map(lambda x:x*2 ,l)
  3. Out[5]: [2, 4, 6, 8, 10, 12, 14, 16, 18]
如果使用函式來做:
  1. rest=[]
  2. for i in l:
  3.   rest.append(i*2)
  4. print rest
map作為高階函式,能夠把運算規則抽象化,顯然map 更精簡。

2.2 當有多個seq時,map可以並行的取每個seq對應的第M個元素 seqN[M],進行計算。

例子:
  1. In [9]: map(lambda x , y : x * y, [2,4,6],[3,2,1])
  2. Out[9]: [6, 8, 6]
記得多個seq的元素個數必須一致 不然會報錯 
  1. In [1]: print map(lambda x , y : x ** y, [2,4,6],[3,2,1])
  2. [8, 16, 6]
  3. seq1=[2,4,6] ,seq2=[3,2] 元素個數不一致則報錯。
  4. In [3]: print map(lambda x , y : x ** y, [2,4,6],[3,2])
  5. ---------------------------------------------------------------------------
  6. TypeError Traceback (most recent call last)
  7. <ipython-input-3-d075c46afd0b> in <module>()
  8. ----> 1 print map(lambda x , y : x ** y, [2,4,6],[3,2])
  9. <ipython-input-3-d075c46afd0b> in <lambda>(x, y)
  10. ----> 1 print map(lambda x , y : x ** y, [2,4,6],[3,2])
  11. TypeError: unsupported operand type(s) for ** or pow(): 'int' and 'NoneType'
  12. In [4]:
2.3 map在多程式中的應用。

  1. #!/usr/bin/env python
  2. # encoding: utf-8
  3. """
  4. author: yangyi@youzan.com
  5. time: 2017/7/16 上午10:42
  6. func: 參考網路上的例子 
  7. """
  8. import urllib2
  9. from multiprocessing.dummy import Pool as ThreadPool
  10. urls = [
  11.         '',
  12.         '/about/',
  13.         '',
  14.         '/doc/',
  15.         '/download/',
  16.         '/getit/',
  17.         '/community/',
  18.         '',
  19.         '',
  20.         'LocalUserGroups',
  21.         '/psf/',
  22.         'http://docs.python.org/devguide/',
  23.         '/community/awards/'
  24.         ]

  25. # Make the Pool of workers
  26. pool = ThreadPool(4)
  27. # Open the urls in their own threads
  28. # and return the results
  29. results = pool.map(urllib2.urlopen, urls)
  30. #close the pool and wait for the work to finish
  31. pool.close()
  32. pool.join()
該例子使用了multiprocessing.dummy的執行緒池Pool的方式,利用用map的特性來處理url集合。
參考文件
[1] [Python] Python中的一些特殊函式

來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/22664653/viewspace-2142123/,如需轉載,請註明出處,否則將追究法律責任。

相關文章