Ninject:将构造函数参数绑定到其他对象的属性

时间:2012-05-18 08:30:55

标签: c# ninject

我有一个IConfig对象,其中包含整个应用程序中使用的设置。目前,我将整个对象注入到需要它的每个对象的构造函数中,如下所示:

public interface IConfig 
{
    string Username { get; }
    string Password { get; }
    //... other settings
}

public class Foo : IFoo
{
    private readonly string username;
    private readonly string password;

    public Foo(IConfig config)
    {
        this.username = config.Username;
        this.password = config.Password;
    }
}

缺点是IConfig包含大量设置,因为它是从整个配置文件中反序列化的,因此不需要注入整个对象。我想要做的是将构造函数更改为Foo(string username, string password),以便它只接收所需的设置。这也使得创建Foo对象以便更轻松地进行测试(不必仅设置IConfig来创建Foo)。我想直接在我的NinjectModule中绑定构造函数参数,如下所示:

public class MyModule : NinjectModule
{
    public override void Load()
    {
        Bind<IConfig>().To<JsonConfig>()
            .InSingletonScope();

        Bind<IFoo>().To<Foo>()
            .WithConstructorArgument("username", IConfig.Username)
            .WithConstructorArgument("password", IConfig.Password);
    }
}

显然这段代码不起作用,但我怎样才能做我想做的事?

我最初的想法是使用NinjectModule.Kernel获取IKernel然后获取我的IConfig对象的实例并根据需要注入属性,但{{1}返回的对象没有NinjectModule.Kernel方法。

2 个答案:

答案 0 :(得分:15)

你走在正确的轨道上:

Kernel.Get<T>()方法是在ResolutionExtensions namepsace中的Ninject上定义的扩展方法,因此添加using Ninject;它也可以在您的模块中使用。

但是,您应该使用Module.Kernel第二次重载中提供的IContext而不是WithConstructorArgument来获取Kernel

Bind<IFoo>().To<Foo>()
    .WithConstructorArgument("username", 
                             context => context.Kernel.Get<IConfig>().Username)
    .WithConstructorArgument("password", 
                             context => context.Kernel.Get<IConfig>().Password);

答案 1 :(得分:1)

这对于Interface segregation principle来说可能是一个很好的结果。

在这种情况下,定义另一个界面,例如只包含ICredentialConfigUsername属性的Password,然后让IConfig实现此界面。

public Interface ICredentialConfig
{
   string Username { get; }
   string Password { get; }
}

public Interface IConfig : ICredentialConfig
{
   //... other settings
}

现在让Foo依赖于ICredentialConfig而不是IConfig。 然后你可以:

  1. 使用Ninject注入JsonConfig,而不是使用硬编码的参数名称。
  2. 实现/模拟ICredentialConfig以在测试中实例化Foo,而不必实现完整的IConfig接口。