在程式中可以通過建立新的異常類型來命名自己的異常。異常類通常應該直接或間接的從Exception 類派生,例如:
>>> class MyError(Exception):... def __init__(self, value):... self.value = value... def __str__(self):... return repr(self.value)... >>> try:... raise MyError(2*2)... except MyError, e:... print 'My exception occurred, value:', e.value... My exception occurred, value: 4>>> raise MyError, 'oops!'Traceback (most recent call last): File "<stdin>", line 1, in ?__main__.MyError: 'oops!'
異常類中可以定義任何其它類中可以定義的東西,但是通常為了保持簡單,只在其中加入幾個屬性資訊,以供異常處理控制代碼提取。如果一個新建立的模組中需要拋出幾種不同的錯誤時,一個通常的作法是為該模組定義一個異常基類,然後針對不同的錯誤類型派生出對應的異常子類。
class Error(Exception): """Base class for exceptions in this module.""" passclass InputError(Error): """Exception raised for errors in the input. Attributes: expression -- input expression in which the error occurred message -- explanation of the error """ def __init__(self, expression, message): self.expression = expression self.message = messageclass TransitionError(Error): """Raised when an operation attempts a state transition that's not allowed. Attributes: previous -- state at beginning of transition next -- attempted new state message -- explanation of why the specific transition is not allowed """ def __init__(self, previous, next, message): self.previous = previous self.next = next self.message = message
與標準異常相似,大多數異常的命名都以“Error”結尾。
很多標準模組中都定義了自己的異常,用以報告在他們所定義的函數中可能發生的錯誤。關於類的進一步資訊請參見第 9章,“類”。