異常就是程序運行時發生錯誤的信號(在程序出現錯誤時,則會產生一個異常,若程序沒有處理它,則會拋出該異常,程序的運行也隨之終止python
# 語法錯誤示範一 if # 語法錯誤示範二 def test: pass # 語法錯誤示範三 class Foo pass # 語法錯誤示範四 print(haha
# TypeError:int類型不可迭代 for i in 3: pass # ValueError num=input(">>: ") #輸入hello int(num) # NameError aaa # IndexError l=['egon','aa'] l[3] # KeyError dic={'name':'egon'} dic['age'] # AttributeError class Foo:pass Foo.x # ZeroDivisionError:沒法完成計算 res1=1/0 res2=1+'str'
在python中不一樣的異常能夠用不一樣的類型(python中統一了類與類型,類型即類)去標識,一個異常標識一種錯誤。git
爲了保證程序的健壯性與容錯性,即在遇到錯誤時程序不會崩潰,咱們須要對異常進行處理安全
若是錯誤發生的條件是可預知的,咱們須要用if進行處理:在錯誤發生以前進行預防code
AGE = 18 while True: age = input('>>: ').strip() if age.isdigit(): # 只有在age爲字符串形式的整數時,下列代碼纔不會出錯,該條件是可預知的 age = int(age) if age == AGE: print('you got it') break
>>: nash
>>: sdkf
>>: 2
>>: 10
you got it
對象
若是錯誤發生的條件是不可預知的,則須要用到try...except:在錯誤發生以後進行處理索引
try:
被檢測的代碼塊
except 異常類型:
try中一旦檢測到異常,就執行這個位置的邏輯ip
列子:字符串
try: f = [ 'a', 'a', 'a', 'a', 'a', 'a', 'a', ] g = (line.strip() for line in f) print(next(g)) print(next(g)) print(next(g)) print(next(g)) print(next(g)) except StopIteration: f.close()
輸出結果
a
a
a
a
a
1.異常類只能用來處理指定的異常狀況,若是非指定異常則沒法處理。input
s1 = 'hello' try: int(s1) except IndexError as e: # 未捕獲到異常,程序直接報錯 print(e)
2.多分支it
s1 = 'hello' try: int(s1) except IndexError as e: print(e) except KeyError as e: print(e) except ValueError as e: print(e)
invalid literal for int() with base 10: 'hello'
3.萬能異常Exception
s1 = 'hello' try: int(s1) except Exception as e: print(e)
4.多分支異常與萬能異常
* 若是你想要的效果是,不管出現什麼異常,咱們統一丟棄,或者使用同一段代碼邏輯去處理他們,那麼騷年,大膽的去作吧,只有一個Exception就足夠了。 * 若是你想要的效果是,對於不一樣的異常咱們須要定製不一樣的處理邏輯,那就須要用到多分支了。
5.也能夠在多分支後來一個Exception
s1 = 'hello' try: int(s1) except IndexError as e: print(e) except KeyError as e: print(e) except ValueError as e: print(e) except Exception as e: print(e)
6.異常的最終執行
s1 = 'hello' try: int(s1) except IndexError as e: print(e) except KeyError as e: print(e) except ValueError as e: print(e) #except Exception as e: # print(e) else: print('try內代碼塊沒有異常則執行我') finally: print('不管異常與否,都會執行該模塊,一般是進行清理工做')
1.把錯誤處理和真正的工做分開來
2.代碼更易組織,更清晰,複雜的工做任務更容易實現;
3.毫無疑問,更安全了,不至於因爲一些小的疏忽而使程序意外崩潰了;
try: raise TypeError('拋出異常,類型錯誤') except Exception as e: print(e)
自定義異常
class EgonException(BaseException): def __init__(self, msg): self.msg = msg def __str__(self): return self.msg try: raise EgonException('拋出異常,類型錯誤') except EgonException as e: print(e)
assert 1 == 1
try: assert 1 == 2 except Exception as e: print(e)