一個運行著的程式常會遇到意外的問題.一個要讀取的檔案不存在;當希望存入一些資料時磁碟滿了;使用者可能輸入不恰當的資料.
ruby> file = open("some_file")
ERR: (eval):1:in `open': No such file or directory - some_file
一個健壯的程式會合理並漂亮的處理這些問題.面對那些異常是一件討人厭的工作.C程式員被要求做到檢查每一個可能導致錯誤發生的系統調用的傳回值並立刻做出決定.
FILE *file = fopen("some_file", "r");
if (file == NULL) {
fprintf( stderr, "File doesn't exist.\n" );
exit(1);
}
bytes_read = fread( buf, 1, bytes_desired, file );
if (bytes_read != bytes_desired ) {
/* do more error handling here ... */
}
...
這項無聊的工作會使程式員最終變得馬虎並忽略掉它,結果是程式無法應對異常.令一方面,這樣也會降低程式的可讀性.因為過多的錯誤處理使有意義的代碼也變得雜亂了.
在Ruby裡,就像其它的現代語言,我們可以通過隔離的辦法處理代碼域裡的異常,因此,這有著驚人的效果卻又不會為程式員或以後希望讀它的其它人造成過度的負擔.代碼域由begin開始直到遇到一個異常,這將導致轉向一個由rescue標記的錯誤處理代碼域.如果異常沒發生,rescue代碼就不會使用.下面的代碼返迴文本檔案的第一行,如果有異常則返回 nil.
def first_line( filename )
begin
file = open("some_file")
info = file.gets
file.close
info # Last thing evaluated is the return value
rescue
nil # Can't read the file? then don't return a string
end
end
有時我們會希望圍繞問題展開創造性工作.這裡,如果檔案不存在,我們用標準輸入代替:
begin
file = open("some_file")
rescue
file = STDIN
end
begin
# ... process the input ...
rescue
# ... and deal with any other exceptions here.
end
retry 用於 rescue 代碼錶示又重新執行 begin 代碼.這讓我們可以壓縮前面的例子:
fname = "some_file"
begin
file = open(fname)
# ... process the input ...
rescue
fname = "STDIN"
retry
end
但這仍有一點瑕疵.一個不存在的檔案將導致不停止地 retry.你在使用 retry 做異常處理時應注意到這一點.
每個Ruby庫在遇到錯誤時都會提交一個異常,你可以在自己的代碼裡明確地提交異常.用 raise 來提交異常.它帶一個參數,也就是描述異常的一個字串.參數是可選的但不應被省略.之後它可以通過一個特殊的全域變數 $! 訪問.
ruby> raise "test error"
test error
ruby> begin
| raise "test2"
| rescue
| print "An error occurred: ",$!, "\n"
| end
An error occurred: test2
nil