第13章 异常
当你的程序中出现某些 异常的 状况的时候,异常就发生了。
错误
假如我们把 print 误拼为 Print,注意大写,这样 Python 会 引发 一个语法错误。
有一个SyntaxError被引发,并且检测到的错误位置也被打印了出来。这是这个错误的错误处理器 所做的工作。
try..except
我们尝试读取用户的一段输入。按Ctrl-z(Linux 用户按 Ctrl-d),看一下会发生什么。
Python引发了一个称为EOFError的错误,这个错误基本上意味着它发现一个不期望的 文件尾 (由 Ctrl-z 表示)
处理异常
可以使用 try..except 语句来处理异常,try-块 放通常的语句,except-块放错误处理语句。
# -*- coding: utf-8 -*-# Filename: try_except.pyimport systry: s = raw_input('Enter something -->')except EOFError: print '\nWhy did you do an EOF on me?' sys.exit() # exit the programexcept: print '\nSome error/exception occurred.' # here, we are not exiting the programprint 'Done'
把所有可能引发错误的语句放在 try 块中,在 except 从句/块中处理所有的错误和异常。
except 从句可以专门处理单一的错误或异常,或者一组包括在圆括号内的错误/异常。如果没有给出错误或异常的名称,它会处理 所有的 错误和异常。对于每个 try 从句,至少都有一个相关联的 except 从句。
如果某个错误或异常没有被处理,默认 python 处理器被调用。它会终止程序运行,并且打印一个消息。
还可以让 try..catch 块关联上一个 else 从句。当没有异常发生的时候,else 从句将被执行。
引发异常
使用 raise 语句 引发 异常。还得指明错误/异常的名称和伴随异常 触发的 异常对象,引发的错误或异常应该分别是一个 Error 或 Exception 类的直接或间接导出类。
# -*- coding: utf-8 -*-# Filename: raising.pyclass ShortInputException(Exception): '''A user-defined exception class.''' def __init__(self,length,atleast): Exception.__init__(self) self.length = length self.atleast = atleasttry: s = raw_input('Enter something -->') if len(s) < 3: raise ShortInputException(len(s),3) # other work can continue as usual hereexcept EOFError: print '\nWhy did you do an EOF on me?'except ShortInputException, x: print 'ShortInputException: The input was of length %d,\ was excepting at least %d' % (x.length, x.atleast)else: print 'No exception was raised'
此处我们自定义了新的异常类型 ShortInputException 类,有两个域——length 给定输入的长度,atleast 是程序期望的最小长度。
except 从句中,提供了错误类和用来表示错误/异常对象的变量。这与函数调用中的形参和实参概念类似。我们使用异常对象的 length 和 atleast 域来为用户打印一个恰当的消息。
try..finally
finally 块是必然执行的。在一个 try 块下,可以同时使用 except 从句和 finally 块,需要把一个嵌入另外一个。
# -*- coding: utf-8 -*-# Filename: finally.pyimport timetry: f = file('poem.txt') while True: # our usual file-reading idiom line = f.readline() if len(line) == 0: break time.sleep(2) print line,finally: f.close() print 'Cleaning up...closed the file.'
我们有意在打印一行之前用 time.sleep 方法暂停2秒钟,让程序运行慢一些。程序运行时,按 Ctrl-c 中断/取消 程序,触发 KeyboardInterrupt 异常。但在程序退出之前,finally 从句仍被执行,文件关闭。