1. 程式人生 > >python---------匿名函數

python---------匿名函數

列表 匿名 images 列表推導式 字典 gif ec2 adb 簡單的

一、匿名函數也叫lambda表達式

1.匿名函數的核心:一些簡單的需要用函數去解決的問題,匿名函數的函數體只有一行

2.參數可以有多個,用逗號隔開

3.返回值和正常的函數一樣可以是任意的數據類型

技術分享

二、匿名函數練習

1 請把下面的函數轉換成匿名函數
2 def  add(x,y)
3         return x+y
4 add()
5 
結果: 6 sum1=lambda x,y:x+y 7 print(sum1(5,8))
技術分享
1 dic = {k1:50,k2:80,k3:90}
2 # func= lambda k:dic[k]
3 # print(max(dic,key=func))
4 print(max(dic,key = lambda k:dic[k]))#上面兩句就相當於下面一句
比兩個數的大小 技術分享
1 3.map方法
2 l=[1,2,3,4]
3 # def func(x):
4 #     return x*x
5 # print(list(map(func,l)))
6 
7 print(list(map(lambda x:x*x,l)))
map方法的應用 技術分享
1 l=[15,24,31,14]
2 # def func(x):
3 #         return x>20
4 # print(list(filter(func,l)))
5 
6
print(list(filter(lambda x:x>20,l)))
filter函數的小應用 技術分享
 1 # 方法一
 2 t1=((a),(b))
 3 t2=((c),(d))
 4 # print(list(zip(t1,t2)))
 5 print(list(map(lambda t:{t[0],t[1]},zip(t1,t2))))
 6 
 7 # 方法二
 8 print(list([{i,j} for i,j in zip(t1,t2)]))
 9 
10 #方法三
11 func = lambda t1,t2:[{i,j} for i,j in zip(t1,t2)]
12 ret = func(t1,t2) 13 print(ret)
5.現有兩個元組((‘a‘),(‘b‘)),((‘c‘),(‘d‘)), 請使用python中匿名函數生成列表[{‘a‘:‘c‘},{‘b‘:‘d‘}]

三、列表推導式

技術分享
1 6.30以內所有被3整除的數
2 print(list([i for i in range(30) if i%3==0]))
30以內能被3整除的數

三、字典推倒式

例一:將一個字典的key和value對調

技術分享
1 mcase = {a: 10, b: 34}
2 res1 = {i:mcase[i] for i in mcase}
3 res={mcase[i]:i for i in mcase }
4 print(res1)
5 print(res)
View Code

例二:合並大小寫對應的value值,將k統一成小寫

技術分享
1 mcase = {a:10,b:34,A:7}
2 res = {i.lower():mcase.get(i.lower(),0)+mcase.get(i.upper(),0) for i in mcase}
3 print(res)
View Code

四、集合推倒式

例:計算列表中每個值的平方,自帶去重功能

技術分享
1 l=[5,-5,1,2,5]
2 print({i**2 for i in l})
View Code

python---------匿名函數