Python的高级函数
1. map函数
- map(func, *itertables) 对
itertables
中的每个元素使用func
,当最短的itertable
结束时便停止。map
可以传入多个itertable
- map函数接受2个参数,一个参数是函数,一个参数是列表,map将传入的函数依次作用到列表,并返回一个列表
>>>a = list(range(5))
>>>b = list(range(10))
>>>def func(x):
return x//2
>>>c = list(map(func, a)) # 依次作用到列表中,返回一个列表
>>>print(c)
[0, 0, 1, 1, 2]
>>>d = list(map(lambda x:x*2, b))
>>>print(d)
[0, 2, 4, 6, 8, 10, 12, 14, 16, 18]
2.reduce函数
-
reduce(func, iterables)
对iterable
中的元素顺序迭代调用。 - reduce非内置函数,需要import。
- reduce函数接受两个参数,且该函数必须接收2个参数,一个是函数,一个是列表,该函数每次对列表作用两个参数,并将结果和下一个元素累积计算
from functools import reduce
>>>a = list(range(5)) # 0、1、2、3、4
>>>def func(x, y):
return x + y
>>>c = reduce(func, a) # 每次对列表作用两个参数,将结果和下一个元素累计计算
>>>print(c)
10
>>>d = reduce(lambda x, y: x + y, a)
>>>print(d)
10
3.filter函数
-
filter(function or None, iterable)
对iterable
的每一个元素执行函数function()
并返回函数的执行结果。 - filter函数接受两个参数,一个参数为函数,一个参数为列表,filter将传入的函数依次作用到列表中的元素,如果该元素在函数为true,则返回该元素
>>>a=list(range(5))
>>>def func(x):
return x>2
>>>c=list(filter(func, a)) # 传入的函数依次传入列表中元素,元素在函数中为true,返回该元素
>>>print(c)
[3, 4]
>>>d=list(filter(lambda x: x>2, a))
>>>print(d)
[3, 4]
4.sorted函数
-
对列表排序(默认是正向排序)
>>>a = [3,312,432,121,424] >>>sorted(a) [3, 121, 312, 424, 432]
-
根据指定元素排序
# 根据字典key排序 >>>dic = {2:"a",1:"b",3:"c"} >>>dic.items() dict_items([(2, 'a'), (1, 'b'), (3, 'c')]) >>>sorted(dic.items(),key=lambda x:x[0]) # return [(1, 'b'), (2, 'a'), (3, 'c')]
-
倒叙排序
sorted([2,4,1,3],reverse=True) # return [4,3,2,1]
5.zip函数
-
将2个元祖组合成列表
zip(("name","age"),("jack","20")) # return:返回前后相互对应的列表 [('name', 'jack'), ('age', '12')]
-
扩展: 结合dict函数转换为字典
dict(zip(("name","age"),("jack","20"))) # return {"name":"jack","age":"20"}
网友评论