异常
我们已经看到,即使程序在语法上是正确的,其执行也可能导致运行时错误。
这种在执行期间检测到的错误称为异常 (exception),它是由 Python 解释器创建的一个对象,包含有关错误的信息,如错误类型、文件名以及错误在程序中的位置(行号、词法单元)。
Python 解释器引发的一些内置异常包括 - ImportError
、ZeroDivisionError
、NameError
、ValueError
、IndexError
、KeyError
、TypeError
和 IndentationError
。
除了 Python 解释器,程序员也可以在代码中使用 raise
或 assert
语句来触发和引发异常(可以附带自定义消息)。
raise
raise
语句可用于在程序中抛出异常。异常可以包含也可以不包含自定义错误消息(推荐包含)。
让我们考虑一个程序,它接受用户输入的两个数字(a
和 b
)并打印结果 a/b
。
代码
python
a = int(input("输入 a: "))
b = int(input("输入 b: "))
print("a/b =", a/b)
输出
输入 a: 10
输入 b: 0
Traceback (most recent call last):
File "/Users/name/test.py",
line 3, in <module>
print("a/b =", a/b)
ZeroDivisionError: division by zero
可以看到,当 b
的值输入为 0
时,Python 解释器会引发 ZeroDivisionError
。
现在我们可以修改上面的代码,针对这种情况引发异常。
代码
python
a = int(input("输入 a: "))
b = int(input("输入 b: "))
if b==0:
raise Exception()
print("a/b =", a/b)
输出
输入 a: 10
输入 b: 0
Traceback (most recent call last):
File "/Users/name/test.py",
line 4, in <module>
raise Exception()
Exception
引发了一个异常,但它没有提供有用的信息。
让我们添加一些自定义错误消息。
代码
python
a = int(input("输入 a: "))
b = int(input("输入 b: "))
if b==0:
raise Exception("b 等于零")
print("a/b =", a/b)
输出
输入 a: 10
输入 b: 0
Traceback (most recent call last):
File "/Users/name/test.py",
line 4, in <module>
raise Exception("b 等于零")
Exception: b 等于零
我们还可以根据程序逻辑引发任何特定类型的错误,如下所示:
代码
python
a = int(input("输入 a: "))
b = int(input("输入 b: "))
if b==0:
raise ValueError("b 的值不能为零")
print("a/b =", a/b)
输出
输入 a: 10
输入 b: 0
Traceback (most recent call last):
File "/Users/name/test.py",
line 4, in <module>
raise ValueError("b 的值不能为零")
ValueError: b 的值不能为零
assert
assert
语句通常在代码开发期间使用,其作用类似于安全阀,在测试表达式计算结果为 False
时通知程序员。
如果测试表达式的值为 True
,则代码执行正常继续。
如果值为 False
,则引发 AssertionError
。
代码
python
a = 3
b = 4
assert a == b
c = 5
输出
Traceback (most recent call last):
File "/Users/name/test.py",
line 3, in <module>
assert a == b
AssertionError
该语句还允许为 AssertionError
附加一条消息。
代码
python
a = 3
b = 4
assert a == b, "a 不等于 b"
c = 5
输出:
Traceback (most recent call last):
File "/Users/name/test.py",
line 3, in <module>
assert a == b, "a 不等于 b"
AssertionError: a 不等于 b