假设我有一个类A
和B
,它们派生自A
:
class A : ICloneable
{
public object Clone() {...}
}
class B : A, ICloneable
{
public object Clone() {...}
}
,
'B.Clone()' hides inherited member 'A.Clone()'. Use the new keyword if hiding was intended.
警告。
(1)建议的方法是什么?使用new
还是在B
中声明A.Clone()
为virtual
和override
?
(2)如果A
中有一些成员在A.Clone()
中被正确克隆,是否有一种简单的方法可以在B.Clone()
中克隆它们,或者我是否也必须在B.Clone()
中显式克隆它们?
如果您可以访问您的源代码(我猜这里就是这种情况),那么绝对将其声明为virtual
并覆盖它。如果用new
隐藏基础Clone
可能是一个坏主意。如果任何代码不知道正在使用B
,那么它将触发错误的克隆方法,并且不会返回正确的克隆。
关于属性的赋值,也许可以考虑实现复制构造函数,并且每个层都可以处理自己的克隆:
public class A : ICloneable
{
public int PropertyA { get; private set; }
public A()
{
}
protected A(A copy)
{
this.PropertyA = copy.PropertyA;
}
public virtual object Clone()
{
return new A(this);
}
}
public class B : A, ICloneable
{
public int PropertyB { get; private set; }
public B()
{
}
protected B(B copy)
: base(copy)
{
this.PropertyB = this.PropertyB;
}
public override object Clone()
{
return new B(this);
}
}
每个复制构造函数调用基复制构造函数,并将自己传递到链中。每个继承级别直接复制属于它的属性。
编辑:如果您使用new
关键字来隐藏基本实现,下面是可能发生的情况的示例。使用样例实现(表面上看起来不错)
public class A : ICloneable
{
public int PropertyA { get; protected set; }
public object Clone()
{
Console.WriteLine("Clone A called");
A copy = new A();
copy.PropertyA = this.PropertyA;
return copy;
}
}
public class B : A, ICloneable
{
public int PropertyB { get; protected set; }
public new object Clone()
{
Console.WriteLine("Clone B called");
B copy = new B();
copy.PropertyA = this.PropertyA;
copy.PropertyB = this.PropertyB;
return copy;
}
}
但是当你使用它的时候:
B b = new B();
A a = b;
B bCopy = (B)a.Clone();
//"Clone A called" Throws InvalidCastException! We have an A!