我有这个基类:
abstract class Base
{
public int x
{
get { throw new NotImplementedException(); }
}
}
和以下后代:
class Derived : Base
{
public int x
{
get { //Actual Implementaion }
}
}
当我编译时,我得到警告,说派生类的
x
的定义将隐藏它的Base版本。是否可以在类似C#的方法中覆盖属性? 最佳答案
您需要使用virtual
关键字
abstract class Base
{
// use virtual keyword
public virtual int x
{
get { throw new NotImplementedException(); }
}
}
或定义一个抽象属性:
abstract class Base
{
// use abstract keyword
public abstract int x { get; }
}
并在子项中使用
override
关键字:abstract class Derived : Base
{
// use override keyword
public override int x { get { ... } }
}
如果不打算重写,则可以在方法上使用
new
关键字隐藏父级的定义。abstract class Derived : Base
{
// use new keyword
public new int x { get { ... } }
}
关于c# - 我可以覆盖C#中的属性吗?怎么样?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/8447832/