使用继承者可访问但实例化器无法访问的设置器在接口中声明属性

我想强制我的继承人包含属性Propy,所以我设计了以下内容。


public interface Enforcer

{

  string Propy { get; set; }

}

在接口和实际类之间,我需要使用抽象基类来强制执行构造函数签名。然后,实现类和继承类看起来是这样的。


public class Implementer : Enforcer

{

  public string Propy { get; set; }


  public Implementer(string propy) { Propy = propy; }

}

现在,如果我实例化该类,我可以随机访问我想要限制的属性。我不能将 setter 声明为 private 或 protected,因为可访问性修饰符不能用于接口中的访问器。我不能将属性全部设为私有,因为我需要在 runner 类中访问它(当然是只读的)。


public class Inheritor : Implementer

{

  public Inheritor(string propy) : base(propy) { }

}


public class Instantiator

{

  public void Main()

  {

    Inheritor thing = new Inheritor("blopp");

    string propy = thing.Propy;

    thing.Propy = "bzz";

  }

}

我希望最后一条声明无效,但不是倒数第二条。我用谷歌搜索了我的屁股,但我猜这是一个有点不寻常的场景(可以通过简单地允许属性公开并希望用户尊重边界来草率处理。我想纯粹从学术上看如何以正确的方式做到这一点.


慕妹3146593
浏览 96回答 3
3回答

斯蒂芬大帝

在接口中,您不能限制对属性的访问,因此我认为您不能强制实现该接口的类来限制该访问。或者你可以使用一个抽象类,你可以在其中限制访问,但一个不太仁慈的实现者仍然可以轻松地覆盖抽象类的限制访问属性。interface IMyClass{    string MyProperty { get; } // this does nothing against implementing a setter!}abstract class MyAbstracClass : IMyClass{    string MyProperty { get; protected set; } // otherwise we cannot set it from inheritors}class MyClass : MyAbstractClass{    public new string MyProperty { get; set; } // nothing stops this!    public MyClass (string prop) => MyProperty = prop;}抽象类选项确实意味着开发人员不能“意外地”公开该属性。即使您设法将其隐藏起来,任何真正想要访问私有属性的开发人员都可以简单地使用反射。不过,这也不是偶然发生的,并且应该始终在代码审查时发出危险信号!

交互式爱情

public class Implementer : Enforcer{    private readonly string _propy;    public string Propy    {        get => _propy;        set => throw new InvalidOperationException();    }    public Implementer(string propy) { _propy = propy; }}设置时抛出异常,或者您可以更改接口以仅在实现中获取和执行私有集

跃然一笑

public class Implementer : Enforcer{    private string _propy;    public string Propy    {         get        {            return _propy;        }        set        {            // do nothing. so readonly.        }    }    public Implementer(string propy) { _propy = propy; }}
打开App,查看更多内容
随时随地看视频慕课网APP