美文网首页
python自定义异常和异常捕捉

python自定义异常和异常捕捉

作者: 大墩子丶 | 来源:发表于2018-05-07 18:34 被阅读0次

    异常捕捉:

    1. try: 
    2.     XXXXX1
    3.     raise Exception(“xxxxx2”) 
    4. except (Exception1,Exception2,……): 
    5.     xxxx3
    6. else:
    7.     xxxxx4
    8. finally:
    9.     xxxxxxx5
    

    1.raise 语句可以自定义报错信息,如上。

    1. raise后的语句是不会被执行了,因为已经抛出异常,控制流将会跳到异常捕捉模块。
    2. except 语句可以一个except后带多个异常,也可以用多个语句捕捉多个异常,分别做不同处理。
    3. except语句捕捉的异常如果没有发生,那么except里的语句块是不被执行的。而是执行else里的语句
    4. 在上面语句中try/except/else/finally所出现的顺序必须是try–>except X–>except–>else–>finally,即所有的except必须在else和finally之前,else(如果有的话)必须在finally之前,而except X必须在except之前。否则会出现语法错误。
      6.else和finally都是可选的.
      7.在上面的完整语句中,else语句的存在必须以except X或者except语句为前提,如果在没有except语句的try block中使用else语句会引发语法错误。

    异常参数输出:

    1. try:
    2.     testRaise()
    3. except PreconditionsException as e: #python3的写法,必须用as
    4.     print (e)
    

    自定义异常,只需自定义异常类继承父类Exception。在自定义异常类中,重写父类init方法。

    1. class DatabaseException(Exception):
    2.     def __init__(self,err='数据库错误'):
    3.         Exception.__init__(self,err)
    4. 
    5. class PreconditionsException(DatabaseException):
    6.     def __init__(self,err='PreconditionsErr'):
    7.         DatabaseException.__init__(self,err)
    8. 
    9. def testRaise():
    10.    raise PreconditionsException()
    11. 
    12. try:
    13.     testRaise()
    14. except PreconditionsException as e:
    15.     print (e)
    

    注意:PreconditonsException又是DatabaseException的子类。
    所以如果,raise PreconditionException的话,用两个异常类都可以捕捉。
    但是, 如果是raise DatabaseException, 用PreconditonsException是捕捉不到的。

    相关文章

      网友评论

          本文标题:python自定义异常和异常捕捉

          本文链接:https://www.haomeiwen.com/subject/igbvrftx.html