在接觸 throw 之前,我們只知道可以通過函數的返回值來獲取和定位錯誤,比如通過 return 來層層返回是一種方法,但如果牽扯到多層函數調用,那麼通過 return 來返回錯誤顯得過於拖沓,這時就應該用到 throw 這個方法,throw 的靈活強大將在下邊詳細說說。 首先是 throw 的三個 ...
在接觸 throw 之前,我們只知道可以通過函數的返回值來獲取和定位錯誤,比如通過 return 來層層返回是一種方法,但如果牽扯到多層函數調用,那麼通過 return 來返回錯誤顯得過於拖沓,這時就應該用到 throw 這個方法,throw 的靈活強大將在下邊詳細說說。
首先是 throw 的三個關鍵字:
throw:這是個拋出的關鍵字,就像是return一樣,他可以給上一層的調用者返回一個異常,拋出的異常可以是常見的類型,如int,char,指針,結構體甚至是類。
try:來捕獲異常,try的作用域(這個作用域叫做保護段)中將會包含擁有throw的函數,如果沒有拋出異常,代碼將會一直執行下去並跳出 try。
catch:catch用來輸出異常,他通常跟在 try 之後,如果在try後跟著多個catch,也只會輸出一個catch,拋出來的異常將會找到合適的類型進行輸出,輸出後將不會再進入其他catch輸出,如果找不到合適的類型的 catch 編譯將會報錯。
下麵是一個基本的代碼例子,說明 throw、try、catch的基本用法,與 catch 的類型自動匹配:
1 #include <iostream> 2 #include <string> 3 4 using namespace std; 5 6 int test_1(int num) 7 { 8 if (num != 0) 9 { 10 throw - 1; //拋出一個int類型的異常,如果 30 行傳1過來,那麼將會拋出該異常至36行的 try 11 } 12 else { 13 throw new string("拋出字元串異常"); //拋出一個字元串異常,如果 30 行傳0過來,那麼將會拋出該字元串異常,catch將會匹配42行 14 } 15 16 return 0; 17 } 18 19 int test_2(int num) //函數進行了嵌套 20 { 21 test_1(num); 22 return 0; 23 } 24 25 int main() 26 { 27 int ret = 0; 28 try //try中的方法的返回值會被下邊的catch捕捉 29 { 30 ret = test_2(1); //傳1過去,將會捕獲test_1中的throw -1,將會直接跳出至41行。 31 } 32 catch (int error) { //捕捉到的值會傳到 error 變數 33 printf("出現異常了!%d\n", error); 34 } 35 catch (string * error) 36 { 37 printf("捕捉到字元串異常:%s", error->c_str()); //如果30行傳過去的是0,可以通過拋出的異常來找合適的類型 string 38 delete error; 39 } 40 catch (...) { //如果沒有合適的類型將會進入這裡的通配,如果沒有這行通配,你試著傳個浮點型過來,編譯不會過的。 41 printf("catch...\n"); 42 } 43 44 return 0; 45 }
這裡在說一下拋出被攔截的情況,同樣是上邊的代碼:
1 #include <iostream> 2 #include <string> 3 4 using namespace std; 5 6 int test_1(int num) 7 { 8 if (num != 0) 9 { 10 throw - 1; //拋出一個int類型的異常,返回到 20 行 11 }else{ 12 throw new string("拋出字元串異常"); 13 } 14 15 return 0; 16 } 17 18 int test_2(int num) 19 { 20 try //如果這裡捕獲異常,第38行中的 try 將捕獲不到test_1的異常 21 { 22 test_1(num); 23 } 24 catch (...) { 25 printf("test_2 異常拋出"); 26 throw 0.01; 27 } 28 29 /* throw */ 30 //這裡如果再 throw ,38行將會再次接收到 test_1 的異常 31 32 return 0; 33 } 34 35 int main() 36 { 37 int ret = 0; 38 try 39 { 40 ret = test_2(1); //傳1過去,將會拋出 test_1 中的 throw -1 41 } 42 catch (int error) { 43 printf("出現異常了!%d\n", error); 44 } 45 catch (string * error) 46 { 47 printf("捕捉到字元串異常:%s", error->c_str()); 48 delete error; 49 } 50 catch (...) { 51 printf("catch...\n"); 52 } 53 54 return 0; 55 }
待續……