用書 PYTHON王者歸來 作者洪錦魁
函數可以是?
函數可以是一個字串
可用於註解
def Hi(name):
"""input your name"""
print("Say Hello to",name)
Hi("Nini")
print(Hi.__doc__)
data:image/s3,"s3://crabby-images/1cd82/1cd82510a6257dbb9205ab4fcaecfc519fb0aaa8" alt=""
執行結果
data:image/s3,"s3://crabby-images/f2a60/f2a6004bd4692d92f46ded754a769d2b7d356e9f" alt=""
函數可以是一個物件
大小寫
def upperinput(text):
return text.upper()
print(upperinput("nini"))
a = upperinput
print(a("kini"))
print(upperinput)
print(a)
data:image/s3,"s3://crabby-images/f9005/f90055b48fd7dec55cb51faadee24b3d569754e4" alt=""
執行結果
data:image/s3,"s3://crabby-images/565df/565dfaa4b8c68b79eca9508e2ebb796041fddc7d" alt=""
函數可以是資料結構成員
引出內建函數當作串列的元素
def All(a):
return sum(a) *100
x=(1,5,98)
M_list =[min,max,sum,All]
for y in M_list:
print(y,y(x))
data:image/s3,"s3://crabby-images/77489/7748923c5aeb6db4c5ffe96985a5739390263a90" alt=""
執行結果
data:image/s3,"s3://crabby-images/59043/59043c011546351e6bcd3c4ee7a5bf3da9ecbaa1" alt=""
函數可以當作參數傳遞給其他函數
def add(a,b):
return a+b
def mul(a,b):
return a*b
def mymath(function1,value1,value2):
return function1(value1,value2)
print(mymath(add,5,9))
print(mymath(mul,5,9))
data:image/s3,"s3://crabby-images/c8d7e/c8d7e2e17b9c65ac67e850586c7a8553f13087b7" alt=""
執行結果
data:image/s3,"s3://crabby-images/83a64/83a6469fb46f0c7f495d49c6f7f28a7237b53fe5" alt=""
函數可以當作參數和不定量的參數*args
def sum1(*args):
return sum(args)
def running(function,*args):
return function(*args)
print(running(sum1,5,6,7))
print(running(sum1,2,3,4,1))
data:image/s3,"s3://crabby-images/c3108/c3108eff7ee7d28602a3220ed9e608a1538d7620" alt=""
執行結果
data:image/s3,"s3://crabby-images/ec2f6/ec2f6ae88aefd9be86a713cb93d648e466adbeb7" alt=""
勘套函數(函數中的函數)
def mymath1(x1,x2,y1,y2):
def mymath2(z):
return z *5 /2 #*高(5)除2
up = x1-x2 #上底
down= y1-y2 #下底
return mymath2(up + down)
print(mymath1(5,3,9,1))
data:image/s3,"s3://crabby-images/6040f/6040fda35345137adb92b0ca8553e3932448dd88" alt=""
執行結果
data:image/s3,"s3://crabby-images/ae08e/ae08e417f148d7b9409a85b3d3f37719d014dd6a" alt=""
函數可以當作回傳值
內層函數當回傳值的話會傳出內層函數的記憶體位置
def outside():
def inner(a):
return sum(range(a))
return inner
o = outside()
print(o)
print(o(6))
o1 = outside()
print(o1)
print(o1(9)
data:image/s3,"s3://crabby-images/f85cc/f85cc320023e32fca44c4b4a727ac4488990082e" alt=""
執行結果
data:image/s3,"s3://crabby-images/f882a/f882abbbcaa5193b34c7d5db13720514c9b0a9e2" alt=""
閉包 closure
def outside():
x =15
def inner(b):
return 10*b + x #x =15
return inner
x=2
f = outside()
print(f(x)) #outside(2)
data:image/s3,"s3://crabby-images/de51c/de51cc0a67c6ce8d553c9df20351d072c64f0fbd" alt=""
執行結果
data:image/s3,"s3://crabby-images/cba20/cba20ab55509a88506f8afaf00a3b3d32781f07e" alt=""
def outside(a,b):
def inner(x):
return a*x+b
return inner
f1 = outside(1,9)
f2 = outside(2,8)
print(f1(1),f2(3)) # f1 inner(1) 1*1+9 f2 inner(3) 2*3+8
data:image/s3,"s3://crabby-images/60f62/60f62b5969b000c49315926e92926e9ccbe32bac" alt=""
執行結果
data:image/s3,"s3://crabby-images/72d49/72d492688cedb1e348ff65fbc2e2c2ec103d9500" alt=""