本文共 4420 字,大约阅读时间需要 14 分钟。
顾名思义,异常就是程序因为某种原因无法正常工作了,比如缩进错误、缺少软件包、环境错误、连接超时等等都会引发异常。一个健壮的程序应该把所能预知的异常都应做相应的处理,应对一些简单的异常情况,使得更好的保证程序长时间运行。即使出了问题,也可让维护者一眼看出问题所在。因此本章节讲解的就是怎么处理异常,让你的程序更加健壮。 ['ArithmeticError', 'AssertionError', 'AttributeError', 'BaseException', 'BufferError', 'BytesWarning', 'DeprecationWarning', 'EOFError', 'EnvironmentError', 'Exception', 'FloatingPointError', 'FutureWarning', 'GeneratorExit', 'IOError', 'ImportError', 'ImportWarning', 'IndentationError', 'IndexError', 'KeyError', 'KeyboardInterrupt', 'LookupError', 'MemoryError', 'NameError', 'NotImplementedError', 'OSError', 'OverflowError', 'PendingDeprecationWarning', 'ReferenceError', 'RuntimeError', 'RuntimeWarning', 'StandardError', 'StopIteration', 'SyntaxError', 'SyntaxWarning', 'SystemError', 'SystemExit', 'TabError', 'TypeError', 'UnboundLocalError', 'UnicodeDecodeError', 'UnicodeEncodeError', 'UnicodeError', 'UnicodeTranslateError', 'UnicodeWarning', 'UserWarning', 'ValueError', 'Warning', 'ZeroDivisionError', '__doc__', '__name__', '__package__'] 博客地址:http://lizhenliang.blog.51cto.com and https://yq.aliyun.com/u/lizhenliang QQ群:323779636(Shell/Python运维开发群) 7.3 异常处理 Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: name 'a' is not defined
会抛出异常,提示名字没有定义。如果程序遇到这种情况,就会终止。 那我们可以这样,当没有这个变量的时候就变量赋值,否则继续操作。 这样就避免了异常的发生。在开发中往往不知道什么是什么异常类型,这时就可以使用Exception类型来捕捉所有的异常: ... print "Error: " + str(e)
Error: A instance has no attribute 'c'
... except Exception as e:
... print "Error: " + str(e)
Error: A instance has no attribute 'c'
当出现的异常类型有几种可能性时,可以写多个except: ... print "NameError: " + str(e) ... print "KeyError: " + str(e) NameError: name 'a' is not defined 注意:except也可以不指定异常类型,那么会忽略所有的异常类,这样做有风险的,它同样会捕捉Ctrl+C、sys.exit等的操作。所以使用except Exception更好些。 表示如果try中的代码没有引发异常,则会执行else。 ... except Exception as e: ... except Exception as e:
A instance has no attribute 'c'
一般用于清理工作,比如打开一个文件,不管是否文件是否操作成功,都应该关闭文件。 7.4.3 try...except...else...finally 这是一个完整的语句,当一起使用时,使异常处理更加灵活。 Error: name 'a' is not defined
需要注意的是:它们语句的顺序必须是 try...except...else...finally,否则语法错误!里面else和finally是可选的。 raise ExceptType(ExceptInfo) >>> raise NameError('test except...')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: test except...
raise参数必须是一个异常的实例或Exception子类。 上面用的Exception子类,那么我定义一个异常的实例,需要继承Exception类: >>> class MyError(Exception): ... def __init__(self, value): >>> raise MyError("MyError...") Traceback (most recent call last): File "<stdin>", line 1, in <module> __main__.MyError: MyError... assert语句用于检查条件表达式是否为真,不为真则触发异常。又称断言语句。 Traceback (most recent call last):
File "<stdin>", line 1, in <module>
>>> assert range(4)==[0,1,2]
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
>>> assert 1!=1, "assert description..."
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AssertionError: assert description...
转载地址:http://aryax.baihongyu.com/