filter()方法從可迭代對象的元素構(gòu)造一個(gè)迭代器,函數(shù)將為其返回true。
簡單來說,filter()方法在一個(gè)函數(shù)的幫助下過濾給定的iterable,該函數(shù)測試iterable中的每個(gè)元素是否為真。
filter()方法的語法為:
filter(function, iterable)
filter()方法采用兩個(gè)參數(shù):
function-
測試iterable的元素返回true還是false的函數(shù),如果為None,則該函數(shù)默認(rèn)為Identity函數(shù)-如果任何元素為false,則返回false
filter()方法返回一個(gè)迭代器,該迭代器為iterable中的每個(gè)元素傳遞函數(shù)檢查。
filter()方法等效于:
# 當(dāng)函數(shù)被定義時(shí) (element for element in iterable if function(element)) # 當(dāng)函數(shù)為空時(shí) (element for element in iterable if element)
# 按字母順序排列的列表 alphabets = ['a', 'b', 'd', 'e', 'i', 'j', 'o'] # 過濾元音的函數(shù) def filterVowels(alphabet): vowels = ['a', 'e', 'i', 'o', 'u'] if(alphabet in vowels): return True else: return False filteredVowels = filter(filterVowels, alphabets) print('過濾后的元音是:') for vowel in filteredVowels: print(vowel)
運(yùn)行該程序時(shí),輸出為:
過濾后的元音是: a e i o
在這里,我們列出了一個(gè)字母列表,只需要過濾掉其中的元音即可。
我們可以使用for循環(huán)遍歷alphabets列表中的每個(gè)元素,并將其存儲(chǔ)在另一個(gè)列表中,但是在Python中,使用filter()方法可以使此過程變得更加輕松快捷。
我們有一個(gè)filterVowels檢查字母是否為元音的函數(shù)。該函數(shù)與字母列表一起傳遞給filter()方法。
然后,filter()方法將每個(gè)字母傳遞給filterVowels()方法以檢查其是否返回true。最后,它創(chuàng)建返回true(元音)的迭代器。
由于迭代器本身并不存儲(chǔ)值,因此我們遍歷它并逐一打印出元音。
# 隨機(jī)列表 randomList = [1, 'a', 0, False, True, '0'] filteredList = filter(None, randomList) print('過濾后的元素是:') for element in filteredList: print(element)
運(yùn)行該程序時(shí),輸出為:
過濾后的元素是: 1 a True 0
在這里,randomList是一個(gè)由數(shù)字,字符串和布爾值組成的隨機(jī)列表。
我們將randomList傳遞給filter()第一個(gè)參數(shù)(過濾器函數(shù))為None的方法。
將filter函數(shù)設(shè)置為None時(shí),該函數(shù)默認(rèn)為Identity函數(shù),并且檢查randomList中的每個(gè)元素是否為true。
當(dāng)我們遍歷最終的filterList時(shí),我們得到的元素為true :(1, a, True 和 '0'作為字符串,所以'0'也為true)。