2.1raise语句
要引发异常,可使用raise语句,并将一个类或实例作为参数。将类作为参数时,将自动创建一个实例。
# 通用异常,没有指出出现什么错误
raise Exception
# Exception
# 添加了错误消息hyperdrive overload
raise Exception('hyperdrive overload')
# Exception: hyperdrive overload
很多内置的异常类,都可用于raise语句。
2.2自定义的异常类
虽然内置异常类涉及范围广,能够满足很多需求,但有时你可能想自己创建异常类。
如何创建异常类?就像创建其他类一样,但必须直接或间接的继承Exception(这意味着从任何内置异常类派生都可以)。
class SomeCustomException(Exception):
pass
捕获异常就是对异常进行处理。可使用try/except。
x = int(input('input the first number:'))
y = int(input('input the second number:'))
print(x/y)
# input the first number:10
# input the second number:0
# ZeroDivisionError: division by zero
# 为了捕获这种异常并对错误进行处理
try:
x = int(input('input the first number:'))
y = int(input('input the second number:'))
print(x / y)
except ZeroDivisionError:
print("The second number can't be zero!")
# input the first number:10
# input the second number:0
# The second number can't be zero!
3.1不用提供参数