异常处理语句:try...except...finally
1. except语句不是必须的,finally语句也不是必须的,但是二者必须有一个,否则try就没有意义了。
2. except可以有多个,Python会按except的顺序依次匹配你指定的异常,如果异常已经处理就不会进入后面的except语句。
def text_test(): f = None try: f = open('致橡树.txt', 'r', encoding='UTF-8') print(f.read()) except FileNotFoundError: print('无法打开指定的文件') except LookupError: print('指定了未知的编码') except UnicodeDecodeError: print('读文件时编码错误') finally: if f: f.close()
3. 可以使用内置语句来代替try/finally,如with打开文件后会自动调用finally并关闭文件。所以上面的代码也可以写成:
def text_test(): try: with open('致橡树.txt', 'r', encoding = 'UTF-8') as f: print(f.read()) except FileNotFoundError: print('无法打开指定的文件') except LookupError: print('指定了未知的编码') except UnicodeDecodeError: print('读文件时编码错误')
也可以使用getattr()来实现异常出发:
try: test = Test() name = test.name except AttributeError: name = 'default'
以上代码也可以用更简单的的gatattr()实现:
name = gatattr(test, 'name', default)
3. except可以以元组的形式同时指定多个异常。
try: print(a / b) except (ZeroDivisionError, TypeError) as e: print(e)
4. except语句如果不指定异常类型,则默认捕获所有异常,可以通过logging或者sys模块捕获异常。
不推荐,因为不能通过这种语句识别出具体异常。
try: do work() except: logging.exception('Exception caught')
5. 如果捕捉到异常,但是又想需要重复抛出它,使用raise语句,后面不要带任何参数信息。
抛出异常raise:
raise NameError('bad name!')
重复抛出异常:
def f1(): print(1/0) def f2(): try: f1() except Exception as e: raise #raise e is error!! f2()
6. 自定义异常类型
Python中可以定义自己的异常类型,只要从Exception类中继承(直接或间接继承)即可。
class SomeCustomException(Exception): pass