异常
当你的程序中出现某些异常的状况的时候,异常就发生了。例如,当你想要读某个文件的时候,而那个文件不存在。或者在程序运行的时候,你不小心把它删除了。上述这些情况可以使用异常来处理。 假如你的程序中有一些无效的语句,会怎么样呢?python会引发并告诉你那里有一个错误,从而处理这样的情况。
try..except
1.处理异常 我们可以使用try..except语句来处理异常。我们把通常的语句放在try-块中,而把我们的错误处理语句放在except-块中。 处理异常的例子如下:
import sys
try:
s = raw_input(‘enter something –> ‘)
except eoferror:
print ‘\nwhy did you do an eof on me?’
sys.exit()
except:
print ‘\nsome error/exception occurred.’
print ‘done’
输出:
python代码
enter something –> +
done
我们把所有可能引发错误的语句放在try块中,然后在except从句/块中处理所有的错误和异常。 except从句可以专门处理单一的错误或异常,或者一组包括在圆括号内的错误/异常。如果没有给出错误或异常的名称,它会处理所有的错误和异常。对于每个try从句,至少都有一个相关联的except从句。 如果某个错误或异常没有被处理,默认的python处理器就会被调用。它会终止程序的运行,并且打印一个消息,我们已经看到了这样的处理。 还可以让try..catch块关联上一个else从句。当没有异常发生的时候,else从句将被执行。 2.引发异常 我们还可以得到异常对象,从而获取更多有个这个异常的信息。 可以使用raise语句引发异常。你还得指明错误/异常的名称和伴随异常触发的异常对象。你可以引发的错误或异常应该分别是一个error或exception类的直接或间接导出类。 如何引发异常的例子如下:
class shortinputexception(exception):
”’a user-defined exception class.”’
def __init__(self, length, atleast):
exception.__init__(self)
self.length = length
self.atleast = atleast
try:
s = raw_input(‘enter something –> ‘)
if len(s) < 3:
raise shortinputexception(len(s), 3)
except eoferror:
print '\nwhy did you do an eof on me?'
except shortinputexception, x:
print 'shortinputexception: the input was of length %d, \
was expecting at least %d' % (x.length, x.atleast)
else:
print 'no exception was raised.'
输出:
python代码
enter something –> 2222
no exception was raised.
enter something –> 1
shortinputexception: the input was of length 1, was expecting at least 3
这里,我们创建了我们自己的异常类型,其实我们可以使用任何预定义的异常/错误。这个新的异常类型是shortinputexception类。它有两个域:length是给定输入的长度,atleast则是程序期望的最小长度。 在except从句中,我们提供了错误类和用来表示错误/异常对象的变量。这与函数调用中的形参和实参概念类似。在这个特别的except从句中,我们使用异常对象的length和atleast域来为用户打印一个恰当的消息。
try..finally
假如你在读一个文件的时候,希望在无论异常发生与否的情况下都关闭文件,该怎么做呢?这可以使用finally块来完成。注意,在一个try块下,你可以同时使用except从句和finally块。如果你要同时使用它们的话,需要把一个嵌入另外一个。 使用finally例子如下:
import time
f = file(‘poem.txt’)
try:
while true:
line = f.readline()
if len(line) == 0:
break
time.sleep(2)
print line,
finally:
f.close()
print ‘cleaning up…closed the file’
输出:
python代码
programming is fun
when the work is done
if you wanna make your work also fun:
use python!
cleaning up…closed the file
我们进行通常的读文件工作,但是我有意在每打印一行之前用time.sleep方法暂停2秒钟。这样做的原因是让程序运行得慢一些(python由于其本质通常运行得很快)。在程序运行的时候,按ctrl-c中断/取消程序。我们可以观察到keyboardinterrupt异常被触发,程序退出。但是在程序退出之前,finally从句仍然被执行,把文件关闭。