2021-10-14 17:21

Exception 是傳遞訊息的通道

  1. void show(string tag) 
  2. { 
  3.    Console.WriteLine(tag); 
  4. } 
  5.  
  6. void methodA() 
  7. { 
  8.    throw new Exception("error msg"); 
  9.    show("A"); 
  10. } 
  11.  
  12. void methodB() 
  13. { 
  14.    methodA(); 
  15.    show("B"); 
  16. } 
  17.  
  18. void methodC() 
  19. { 
  20.    try 
  21.    { 
  22.        methodB(); 
  23.        show("C"); 
  24.    } 
  25.    catch (Exception ex) 
  26.    { 
  27.        Console.WriteLine(ex.Message); 
  28.    } 
  29. } 

這裡為了方便我們理解將程式展開成下面的樣子:

  1. void show(string tag) 
  2. { 
  3.    Console.WriteLine(tag); 
  4. } 
  5.  
  6. void methodC() 
  7. { 
  8.    try 
  9.    { 
  10.        methodB(); 
  11.            void methodB() 
  12.            { 
  13.                methodA(); 
  14.                    void methodA() 
  15.                    { 
  16.                        throw new Exception("error msg"); 
  17.    //----------------------------------------------------- 
  18.                        show("A"); 
  19.                    } 
  20.                show("B"); 
  21.            } 
  22.        show("C"); 
  23.    } 
  24.    catch (Exception ex) 
  25.    { 
  26.        Console.WriteLine(ex.Message); 
  27.    } 
  28. } 

從範例中我們可以看出兩個特性:


* 通透性

從 throw 的那一行開始 Exception 會一直向上傳遞,直到 catch 的區段。


* 脫離性

從 throw 的那一行之後的程式都不會被執行,會有類似 return 的效果,不同的是會對每一層的 method 都進行脫離,包含 try 的區段也會脫離。


methodC 的 catch 會捕獲從 methodA 丟出的 Exception,並且 Exception 中的 StackTrace 會紀錄 methodA, methodB, methodC,而 show() 都不會被執行。

由於大部分的程式邏輯都可以轉化成 else 就離開的程式流程,正好符合 throw 的脫離性,所以我們一開始在撰寫程式邏輯的時候,可以先專注在一般正常的流程邏輯上,之後再去補足檢查邏輯或脫離邏輯,最後在合適的位置進行 try catch 處理,或者在全域的錯誤處理中進行處理。


這裡有一個糟糕的 method,他用了個 Result 物件來裝載回傳結果以及錯誤訊息:

  1. public class Result 
  2. { 
  3.    public int Value { get; set; } 
  4.    public string Error { get; set; } 
  5. } 
  6.  
  7. public Result BadMethod(int input) 
  8. { 
  9.    var result = new Result(); 
  10.  
  11.    if (input > 0) 
  12.    { 
  13.        result.Value = 100 / input; 
  14.    } 
  15.    else 
  16.    { 
  17.        result.Error = "input 需要大於零"; 
  18.    } 
  19.    return result; 
  20. } 

如果用 Exception 可以讓程式簡單很多:

  1. public int GoodMethod(int input) 
  2. { 
  3.    if (input <= 0) 
  4.    { 
  5.        throw new Exception("input 需要大於零"); 
  6.    } 
  7.  
  8.    return 100 / input; 
  9. } 

0 回應: