假设我有一个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
中使用A.Clone()
或将virtual
声明为override
和B
?
(2)如果A
中有一些成员并且已在A.Clone()
中正确克隆,是否有一种简单的方法可以在B.Clone()
中克隆它们,或者我是否必须明确克隆它们B.Clone()
也是?
答案 0 :(得分:8)
如果您有权访问您的来源(我猜这是这里的情况),那么绝对将其声明为virtual
并覆盖它。如果使用Clone
隐藏基座new
可能不是一个好主意。如果任何代码知道它正在使用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!