“as”操作符的奇怪行为
所以我有以下代码:
/// <summary>
/// The 'Prototype' abstract class
/// </summary>
abstract class ColorPrototype
{
public abstract ColorPrototype Clone();
}
/// <summary>
/// The 'ConcretePrototype' class
/// </summary>
class Color : ColorPrototype
{
private int _red;
private int _green;
private int _blue;
// Constructor
public Color(int red, int green, int blue)
{
this._red = red;
this._green = green;
this._blue = blue;
}
// Create a shallow copy
public override ColorPrototype Clone()
{
Console.WriteLine(
"Cloning color RGB: {0,3},{1,3},{2,3}",
_red, _green, _blue);
return this.MemberwiseClone() as ColorPrototype;
}
}
/// <summary>
/// Prototype manager
/// </summary>
class ColorManager
{
private Dictionary<string, ColorPrototype> _colors =
new Dictionary<string, ColorPrototype>();
// Indexer
public ColorPrototype this[string key]
{
get { return _colors[key]; }
set { _colors.Add(key, value); }
}
}
在主要方法中我有:
ColorManager colormanager = new ColorManager();
// Initialize with standard colors
colormanager["red"] = new Color(255, 0, 0);
// User clones selected colors
ColorPrototype p1 = colormanager["red"].Clone();
bool isColor = p1 is Prototype.Color;
Color color1 = p1 as Color;
我的问题是为什么变量p1的类型为Color
( isColor
为true),如果在克隆方法中,我将结果转换为ColorPrototype
( return this.MemberwiseClone() as ColorPrototype;
)?
参考:http://www.dofactory.com/net/prototype-design-pattern
如果在克隆方法中,我将结果转换为ColorPrototype
因为即使将p1
转换为ColorPrototype
, p1
的运行时类型仍然是Color
类型。 通过引用引用类型,您可以将类型T
视为类型U
,但不会更改基础运行时类型。
this.MemberwiseClone()
返回你的Color
对象。 所以p1
实际上是一种Color
。
如果将其上传到ColorPrototype
,则无关紧要。 它的运行时类型仍然是Color
。 这与以下内容相同:
string s = "foo";
object o = s as object;
// runtime o type is still string
链接地址: http://www.djcxy.com/p/36679.html