1. 程式人生 > >Python學習筆記__4.1.2章 filter

Python學習筆記__4.1.2章 filter

編程語言 Python

# 這是學習廖雪峰老師python教程的學習筆記

1、概覽

Python內建的filter()函數用於過濾序列

和map()類似,filter()也接收一個函數和一個序列。和map()不同的是,filter()把傳入的函數依次作用於每個元素,然後根據返回值是True還是False決定保留還是丟棄該元素。

# 在一個list中,刪掉偶數,只保留奇數

def is_odd(n):

return n % 2 == 1

list(filter(is_odd, [1, 2, 4, 5, 6, 9, 10, 15])) #filter()函數返回的是一個Iterator,需要用list()函數獲得所有結果並返回list。

# 把一個序列中的空字符串刪掉

def not_empty(s):

return s and s.strip() # s.strip(chars) ,移除字符串頭尾指定的字符(默認為空格)

list(filter(not_empty, ['A', '', 'B', None, 'C', ' ']))

2、例子

1、回數是指從左向右讀和從右向左讀都是一樣的數,例如12321,909。請利用filter()篩選出回數:

# -*- coding: utf-8 -*-

#方法一

def is_palindrome(n):

return str(n)[::-1]==str(n) #str(n)[::-1] 步長是-1,表示從索引-1開始取,每次增加-1。意義為倒序復制

#方法二

def is_palindrome(n):

s= str(n)

if len(s)>3:

return s[0]==s[-1] and is_palindrome(int(s[1:-1]))

else:

return s[0]==s[-1]

# 測試:

output = filter(is_palindrome, range(1, 1000))

print('1~1000:', list(output))

if list(filter(is_palindrome, range(1, 200))) == [1, 2, 3, 4, 5, 6, 7, 8, 9, 11, 22, 33, 44, 55, 66, 77, 88, 99, 101, 111, 121, 131, 141, 151, 161, 171, 181, 191]:

print('測試成功!')

else:

print('測試失敗!')


Python學習筆記__4.1.2章 filter