# 和map()类似,filter()也接收一个函数和一个序列。
# 和map()不同的是,filter()把传入的函数依次作用于每个元素,
# 然后根据返回值是True还是False决定保留还是丢弃该元素。
def is_odd(n):
return n % 2 == 1
# filter()函数返回的是一个Iterator,也就是一个惰性序列,
# 所以要强迫filter()完成计算结果,需要用list()函数获得所有结果并返回list
L = list(filter(is_odd, [1, 2, 4, 5, 6, 9, 10, 15
]))
print(L)
# [1, 5, 9, 15]
# 序列中的空字符串删掉
def not_empty(s):
return s
and s.strip()
LNotNull = list(filter(not_empty, [
'A',
'',
'B', None,
'C',
' ']))
print(LNotNull)
# ['A', 'B', 'C']
转载于:https://www.cnblogs.com/shaozhiqi/p/11543605.html