迴圈結構是編程時的常用結構。特別在處理序列化對象(例如:list(列表)、dict(字典)、tuple(元組))時迴圈好象是必須使用的。但是在Python中有更方便的處理方式那就是列表推導式以及函數編程方式。
如果我們要找出某個目錄如"c://"下所有副檔名為".txt"的檔案用三種方式實現如下:
迴圈:
import os
dirpath = 'c://'
result = []
for filename in os.listdir(dirpath): #列出此目錄下所有目錄項
if os.path.isfile(os.path.join(dirpath,filename)) / #判斷此目錄項是否是檔案
and os.path.splitext(filename)[1] == '.txt': #判斷此目錄項是否以'.txt'結尾
result.append(filename)
列表推導式:
import os
dirpath='c://'
result=[ filename for filename in os.listdir(dirpath) if os.path.isfile(os.path.join(dirpath,filename)) /
and os.path.splitext(filename)[1] == '.txt' ]
#利用列表推導式來產生列表確實方便好多
函數編程方式:
import os
dirpath='c://'
result=filter(lambda fn : ((os.path.isfile(os.path.join(dirpath,fn)) and os.path.splitext(fn)[1]) and True or False) /
, os.listdir(dirpath))
#首先定義了lambda匿名函數接收一個目錄項名,如果此目錄項以'.txt'為副檔名且是一個檔案
#那麼返回True否則返回False。'A and B or C '是一個類似c語言三目運算子' A ? B : C '的習慣
#性用法。但是它並不相同,如果你要使用這個方法則必須保證B的值必須為真,不能為
#False、None、[]、{}等一切為假的值,否則這個用法會得出你不希望的結果。
#filter(f,list)則是對傳入的列表的每個值執行f函數操作,並將所有f返回真的清單項目返回
如果你看那些python大師級的程式員寫的代碼,簡直就是運算式、lambda函數、filter()、map()、reduce()、'... and ... or ... '、列表推導式的集合。善用fp方式編程可以導致更快速的開發更短以及錯誤更少的代碼。
資料串連:
http://www-900.ibm.com/developerWorks/cn/linux/sdk/python/charm-10/index.shtml 可愛的 Python:Python 中的函數編程
http://www.chinesepython.org/pythonfoundry/limodoupydoc/dive/html/index.html 深入Python (Dive Into Python)