當你的程式中出現異常情況時就需要異常處理。比如當你開啟乙個不存在的檔案時。當你的程式中有一些無效的語句時,python會提示你有錯誤存在。
下面是乙個拼寫錯誤的例子,print寫成了print。python是大小寫敏感的,因此python將引發乙個錯誤:
>>> print 'hello world'try...except語句可以用於捕捉並處理錯誤。通常的語句放在try塊中,錯誤處理語句放在except塊中。示例如下:file "
", line 1
print 'hello world'
^syntaxerror: invalid syntax
>>> print 'hello world'
hello world
#!/usr/bin/python執行輸出如下:# filename: try_except.py
import sys
try:
s = raw_input('enter something --> ')
except eoferror:#處理eoferror型別的異常
print '/nwhy did you do an eof on me?'
sys.exit() # 退出程式
except:#處理其它的異常
print '/nsome error/exception occurred.'
print 'done'
$ python try_except.py說明:每個try語句都必須有至少乙個except語句。如果有乙個異常程式沒有處理,那麼python將呼叫預設的處理器處理,並終止程式且給出提示。enter something -->
why did you do an eof on me?
$ python try_except.py
enter something --> python is exceptional!
done
你可以用raise語句來引發乙個異常。異常/錯誤物件必須有乙個名字,且它們應是error或exception類的子類。
下面是乙個引發異常的例子:
#!/usr/bin/python執行輸出如下:#檔名: raising.py
class shortinputexception(exception):
'''你定義的異常類。'''
def __init__(self, length, atleast):
exception.__init__(self)
self.length = length
self.atleast = atleast
try:
s = raw_input('請輸入 --> ')
if len(s) < 3:
raise shortinputexception(len(s), 3)
# raise引發乙個你定義的異常
except eoferror:
print '/n你輸入了乙個結束標記eof'
except shortinputexception, x:#x這個變數被繫結到了錯誤的例項
print 'shortinputexception: 輸入的長度是 %d, /
長度至少應是 %d' % (x.length, x.atleast)
else:
print '沒有異常發生.'
$ python raising.py當你正在讀檔案或還未關閉檔案時發生了異常該怎麼辦呢?你應該使用try...finally語句以釋放資源。示例如下:請輸入 -->
你輸入了乙個結束標記eof
$ python raising.py
請輸入 --> --> ab
shortinputexception: 輸入的長度是 2, 長度至少應是 3
$ python raising.py
請輸入 --> abc
沒有異常發生.
#!/usr/bin/python執行輸出如下:# filename: finally.py
import time
try:
f = file('poem.txt')
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 finally.py說明:我們在兩秒這段時間內按下了ctrl-c,這將產生乙個keyboardinterrupt異常,我們並沒有處理這個異常,那麼python將呼叫預設的處理器,並終止程式,在程式終止之前,finally塊中的語句將執行。programming is fun
when the work is done
cleaning up...closed the file
traceback (most recent call last):
file "finally.py", line 12, in ?
time.sleep(2)
keyboardinterrupt
Python 異常處理機制
python的異常處理能力是很強大的,可向使用者準確反饋出錯資訊。在python中,異常也是物件,可對它進行操作。所有異常都是基類exception的成員。所有異常都從基類exception繼承,而且都在exceptions模組中定義。python自動將所有異常名稱放在內建命名空間中,所以程式不必匯...
Python異常處理機制
部落格核心內容 1.常見的異常型別 2.異常處理機制 3.異常處理方法 4.try catch到底什麼時候用 一 python中常見的異常型別 attributeerror 試圖訪問乙個物件沒有的樹形,比如foo.x,但是foo沒有屬性x ioerror 輸入 輸出異常 基本上是無法開啟檔案 imp...
Python異常處理機制
在構建乙個魯棒性較強的python專案時,合適的異常處理機制,是相當重要的。本文主要介紹python異常處理機制的基本概念和常用的異常處理方法。在python中使用異常物件來表示異常狀態,並在遇到錯誤時引發異常。異常物件未被處理 或捕獲 時,程式將終止並顯示一條錯誤訊息 traceback 常見的內...