Ted : Dude!, I have a Red shoe on my right foot, and a Red on my left foot明顯Red shoe在Bill的腳上是錯誤的。為什麼會這樣呢?看一下圖因為 我們使用Shoe作為一個引用類型來取代值類型。當一個引用被拷貝的時候,只拷貝了其指針,所以我們不得不做一些額外的工作來確保我們的引用類型看起來更像是值類型。幸運的是我們擁有一個名為ICloneable接口可以幫助我們。這個接口基於一個契約,所有的Dude對象都將定義一個引用類型如何被復制以確保我們的Shoe不會發生共享錯誤。我們所有的類都可以使用ICloneable接口的clone方法來復制類對象。
public class Shoe : ICloneable {
public string Color;
#region ICloneable Members
public object Clone () {
Shoe newShoe = new Shoe();
newShoe.Color = Color.Clone() as string;
return newShoe;
}
#endregion
}
在Clone()方法內我們創建了一個Shoe,拷貝所有引用類型並拷貝所有值類型並返回一個新的對象實例。你可能注意到string類已經實現了ICloneable接口,因此我們可以調用Color.Clone()。因為Clone()返回的是一個對象的引用,我們不得不進行類型轉換在我們設置Shoe的Color前。接下來,我們用CopyDude()方法去克隆shoe。
public Dude CopyDude () {
Dude newPerson = new Dude();
newPerson.Name = Name;
newPerson.LeftShoe = LeftShoe.Clone() as Shoe;
newPerson.RightShoe = RightShoe.Clone() as Shoe;
return newPerson;
}
public static void Main () {
Class1 pgm = new Class1();
Dude Bill = new Dude();
Bill.Name = "Bill";
Bill.LeftShoe = new Shoe();
Bill.RightShoe = new Shoe();
Bill.LeftShoe.Color = Bill.RightShoe.Color = "Blue";
Dude Ted = Bill.CopyDude();
Ted.Name = "Ted";
Ted.LeftShoe.Color = Ted.RightShoe.Color = "Red";
Console.WriteLine(Bill.ToString());
Console.WriteLine(Ted.ToString());
}
重新運行程序,我們將得到如下輸出:Bill : Dude!, I have a Blue shoe on my right foot, and a Blue on my left foot
Ted : Dude!, I have a Red shoe on my right foot, and a Red on my left foot圖示如下: 包裝實體