English 中文(简体)
专用只读接口-它是多余的吗?
原标题:Private readonly Interface - is it redundant?

我的项目使用IoC和DI。

然而,我想知道以下内容是否是一种好的做法:

private readonly IMyService myservice;

作为类内的字段,该字段是服务的使用者。该字段是在构造函数中设置的。

I m sure I ve seen this somewhere and I ve picked up on it. However I also see:

private IMyService myservice;

这似乎就足够了。为注入的服务接口设置只读字段有什么用途吗?优点是什么?

最佳回答

我认为readonly关键字的使用是构造函数注入正确实现的核心部分。

public class MyClass
{
    private readonly IMyService myservice;

    public MyClass(IMyService myservice)
    {
        if (myservice == null)
        {
            throw new ArgumentNullException("myservice");
        }
        this.myservice = myservice;
    }
}

readonly关键字和Guard子句在技术上都不需要来实现构造函数注入。然而,它们都有助于增强类的不变量这就是封装的全部内容

问题回答

它是一个接口这一事实无关紧要。在字段上应用<code>readonly</code>修饰符可以防止您(或其他人)在构造对象后更改其值。它只能在构造函数中分配。

<code>只读</code>字段表示只能在ctor中写入。一旦完成,就不能更改或销毁引用。它对于初始化状态和增强不变性非常有用。

在字段上设置<code>只读</code>的优点是,它清楚地声明了字段在包含实例的生存期内不会更改。在许多场景中,这使得对给定方法的行为进行推理变得更容易。例如

void Method() {
  var marker = myservice.StartOperation();
  try {
    SomeOtherMethod();
  } finally {
    myservice.StopOperation(marker);
  }
}

假设StartOperationStopOperationIMyService实例上成对调用的方法。当myservicereadonly字段时,您只能查看此函数,并对满足此合同有高度的信心。

但是,如果它不是readonly,您必须立即怀疑SomeOtherMethod和从该函数传递调用的所有其他方法。如果其中任何一个可以突然重置myservice字段,那么您将违反合同,并最终出现一些非常微妙的错误。

这是readonly关键字的文档

当应用于类中的字段时,readonly向读取器指示“此字段在该实例的生存期内不会更改。”这对于依赖关系是非常有用的信息,在构造函数中接收到依赖关系后,这些依赖关系不会更改。

更改依赖项的错误尝试会导致编译时错误,提醒您或其他正在修改类的人,注入的依赖项不应更改。这是一种更容易检测和修复的情况,而不是省略readonly关键字,然后因为重新分配而不得不跟踪错误。

简言之,是的,如果在构建对象后不更改某个<code>只读</code>,那么最好将其声明为<code>,因为这将防止所有未来的作者犯这个错误。





相关问题
Anyone feel like passing it forward?

I m the only developer in my company, and am getting along well as an autodidact, but I know I m missing out on the education one gets from working with and having code reviewed by more senior devs. ...

NSArray s, Primitive types and Boxing Oh My!

I m pretty new to the Objective-C world and I have a long history with .net/C# so naturally I m inclined to use my C# wits. Now here s the question: I feel really inclined to create some type of ...

C# Marshal / Pinvoke CBitmap?

I cannot figure out how to marshal a C++ CBitmap to a C# Bitmap or Image class. My import looks like this: [DllImport(@"test.dll", CharSet = CharSet.Unicode)] public static extern IntPtr ...

How to Use Ghostscript DLL to convert PDF to PDF/A

How to user GhostScript DLL to convert PDF to PDF/A. I know I kind of have to call the exported function of gsdll32.dll whose name is gsapi_init_with_args, but how do i pass the right arguments? BTW, ...

Linqy no matchy

Maybe it s something I m doing wrong. I m just learning Linq because I m bored. And so far so good. I made a little program and it basically just outputs all matches (foreach) into a label control. ...

热门标签