C# 中基類物件到衍生類別所引用的安全型別轉換
在 C# 中直接將基類物件轉換為衍生類別參考是有風險的,並且通常會導致運行時異常。 這是因為派生類別參考需要一個自己類型的物件或 null。
說明性範例:
<code class="language-csharp">object o = new object(); string s = (string)o; // This will throw an exception at runtime</code>
在此不安全轉換之後嘗試存取衍生類別成員將導致錯誤:
<code class="language-csharp">int i = s.Length; // Runtime exception: InvalidCastException</code>
o
變數保存基類對象,與 Length
等派生類別成員不相容。
為了防止執行階段錯誤,請務必在轉換之前驗證物件的實際類型。 is
運算子和模式匹配提供了安全的替代方案:
<code class="language-csharp">object o = new object(); if (o is string str) { int i = str.Length; // Safe access to Length } else { // Handle the case where o is not a string } // Or using pattern matching: if (o is string s2) { int length = s2.Length; }</code>
或者,重新評估你的類別設計。如果需要在基底類別和衍生類別之間進行頻繁的轉換,則可能表示繼承層次結構中存在缺陷。 透過重構來消除此類強制轉換的需要通常是更好的解決方案。 如果合適的話,考慮使用介面或組合而不是繼承。
以上是如何在 C# 中安全地將基底類別物件類型轉換為衍生類別參考?的詳細內容。更多資訊請關注PHP中文網其他相關文章!