Python知识分享网 - 专业的Python学习网站 学Python,上Python222
Python 函数的返回值
匿名网友发布于:2023-09-11 15:24:48
(侵权举报)

Python 7天快速入门完整视频教程https://www.bilibili.com/video/BV1o84y1Z7J1

 

Python   函数的返回值

 

函数执行完毕,可以返回数据给方法的调用者。(可以返回多个数据),通过return关键字

 

# 定义加方法函数
def add(x, y):
    result = x + y
    # 通过return关键字,把x+y的结果返回给函数的调用者
    return result


# 定义变量r,接收函数的返回值
r = add(1, 2)
print(f"调用add(1, 2)的返回结果是{r}")

r2 = add(2, 3)
print(f"调用add(2, 3)的返回结果是{r2}")

 

运行结果:

 

调用add(1, 2)的返回结果是3
调用add(2, 3)的返回结果是5

 

如果程序需要有多个返回值,则既可将多个值包装成列表之后返回,也可直接返回多个值。如果Python函数直接返回多个值,Python会自动将多个返回值封装成元组。(后续讲到元组,我们给下实例讲解下)

 

作业:定义减法函数,要有返回值。调用3次。

 

如果函数没有使用return语句返回数据,则函数返回的是None值。None是空的意思。

看下案例:

 

# 定义最基础函数 helloworld
def say_helloworld():
    print("Python大爷你好,学Python,上www.python222.com")


result = say_helloworld()
print(f"返回结果{result},类型{type(result)}")

 

输出结果:

 

Python大爷你好,学Python,上www.python222.com
返回结果None,类型<class 'NoneType'>

 

上面案例等同于return None

 

# 定义最基础函数 helloworld
def say_helloworld():
    print("Python大爷你好,学Python,上www.python222.com")
    return None


result = say_helloworld()
print(f"返回结果{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"返回结果{result}")
# 1,可以用于if判断
if not result:
    print("登录失败")

 

 

2,可以用于声明无初始化内容的变量

 

# 2,可以用于声明无初始化内容的变量
userName = None

 

 

 

转载自: