Simple Injector - 注入容器属性

时间:2014-03-15 12:45:06

标签: c# containers ioc-container simple-injector

我想通过SimpleInjector注入Container属性。我没有找到SimpleInjector的任何功能。

然后我想将self容器注册到自身,但Container没有接口。

我想要这个功能,因为我没有通过构造函数传输Container对象 - 因为我可以使用自动注入寄存器对象的原因。

我的使用理念:

var container = new Container();
container.Options.AutowirePropertiesWithAttribute<InjectableProperty>();
container.Register<ISomething, Something>(Lifestyle.Singleton);

ISomething:

public interface ISomething 
{
   void SomeMethod();
}

某事课:

public class Something : ISomething 
{
    public void SomeMethod() 
    {
       var environment = _container.GetInstance<IEnvironment>();
       environment.DoSomething();
    }

    [InjectableProperty] // - maybe it is not possible (I don't know it)
    Container Container {get;set;}
}

你有什么想法实现这个目标吗?

非常感谢。

1 个答案:

答案 0 :(得分:4)

防止您的应用程序代码依赖于容器。应用程序中唯一应该知道DI库存在的地方是Composition Root(您注册所有依赖项的地方)。

不要让每个类回调到容器(称为Service Locator anti-pattern),而是使用依赖注入。使用依赖注入,您可以注入依赖项而不是请求它们。

因此,您可以将课程重写为以下内容:

public class Something : ISomething 
{
    private readonly IEnvironment environment;

    public Something (IEnvironment environment)
    {
       this.environment = environment;
    }

    public void SomeMethod()
    {
       this.environment.DoSomething();
    }
}

此外,除了存储传入的依赖项之外,还要防止在构造函数中执行任何逻辑。这样您就可以compose object graphs with confidence

但在某些情况下,将Container注入另一个类仍然很有用。例如,创建位于内部组合根目录的工厂类时。在这种情况下,您仍然可以使用构造函数注入,如下所示:

// Defined in an application layer
public interface IMyFactory
{
    IMyService CreateService();
}

// Defined inside the Composition Root
public class MyFactory : IMyFactory
{
    private readonly Container container;

    public MyFactory(Containter container)
    {
        this.container = container;
    }

    public IMyService CreateService(ServiceType type)
    {
        return type == ServiceType.A
            ? this.container.GetInstance<MyServiceA>()
            : this.container.GetInstance<MyServiceB>();
    }
}

如果Simple Injector检测到Container构造函数参数,它将自动注入构造函数。