使用访问器重写属性
本文关键字:重写 属性 访问 | 更新日期: 2023-09-27 18:31:31
我正在尝试将private set
访问器添加到被覆盖的属性,但收到编译时错误:
does not have an overridable set accessor
我会向接口和抽象基类添加一个set
访问器,但我希望访问器是私有的,在它设置其访问级别时,您不能将其添加到接口或抽象属性中。
我的意思的一个例子如下:
public interface IMyInterface
{
int MyProperty
{
get;
}
}
public abstract class MyBaseClass : IMyInterface
{
public abstract int MyProperty
{
get;
}
}
public class MyClass : MyBaseClass
{
public override int MyProperty
{
get
{
return 0;
}
private set // does not have an overridable set accessor
{
}
}
}
有没有办法解决这个问题?我确定我在这里错过了一些简单的东西。
好吧,你不能修改继承链中的访问器。因此,更好的选择是在基类中添加一个protected set accessor
。 这将允许您重写派生类中的实现。
我的意思是这样的
public interface IMyInterface
{
int MyProperty
{
get;
}
}
public abstract class MyBaseClass : IMyInterface
{
public abstract int MyProperty
{
get;
protected set;<--add set accessor here
}
}
public class MyClass : MyBaseClass
{
public override int MyProperty
{
get
{
return 0;
}
protected set //this works
{
}
}
}
不。
无法更改继承类中方法或属性的访问级别,也无法添加访问器。
这是我能想到的唯一解决方法。
public class MyClass : MyBaseClass
{
private int myField;
public override int MyProperty
{
get { return myField; }
}
private int MyPropertySetter
{
set { myField = value; }
}
}