Python 7天快速入門完整視頻教程:https://www.bilibili.com/video/BV1o84y1Z7J1
Python 函數(shù)的返回值
函數(shù)執(zhí)行完畢,可以返回數(shù)據(jù)給方法的調(diào)用者。(可以返回多個數(shù)據(jù)),通過return關(guān)鍵字
# 定義加方法函數(shù)
def add(x, y):
result = x + y
# 通過return關(guān)鍵字,把x+y的結(jié)果返回給函數(shù)的調(diào)用者
return result
# 定義變量r,接收函數(shù)的返回值
r = add(1, 2)
print(f"調(diào)用add(1, 2)的返回結(jié)果是{r}")
r2 = add(2, 3)
print(f"調(diào)用add(2, 3)的返回結(jié)果是{r2}")
運行結(jié)果:
調(diào)用add(1, 2)的返回結(jié)果是3
調(diào)用add(2, 3)的返回結(jié)果是5
如果程序需要有多個返回值,則既可將多個值包裝成列表之后返回,也可直接返回多個值。如果Python函數(shù)直接返回多個值,Python會自動將多個返回值封裝成元組。(后續(xù)講到元組,我們給下實例講解下)
作業(yè):定義減法函數(shù),要有返回值。調(diào)用3次。
如果函數(shù)沒有使用return語句返回數(shù)據(jù),則函數(shù)返回的是None值。None是空的意思。
看下案例:
# 定義最基礎(chǔ)函數(shù) helloworld
def say_helloworld():
print("Python大爺你好,學(xué)Python,上magnapowered.com")
result = say_helloworld()
print(f"返回結(jié)果{result},類型{type(result)}")
輸出結(jié)果:
Python大爺你好,學(xué)Python,上magnapowered.com
返回結(jié)果None,類型<class 'NoneType'>
上面案例等同于return None
# 定義最基礎(chǔ)函數(shù) helloworld
def say_helloworld():
print("Python大爺你好,學(xué)Python,上magnapowered.com")
return None
result = say_helloworld()
print(f"返回結(jié)果{result},類型{type(result)}")
這個None值有哪些作用呢?
1,可以用于if判斷
def check_user(userName, password):
if userName == 'python222' and password == '123456':
return "success"
else:
return None
result = check_user('python222', '123')
print(f"返回結(jié)果{result}")
# 1,可以用于if判斷
if not result:
print("登錄失敗")
2,可以用于聲明無初始化內(nèi)容的變量
# 2,可以用于聲明無初始化內(nèi)容的變量
userName = None