构造函数注入 - 将两个独立的配置依赖项绑定到存储库 class

Constructor injection - binding two separate configuration dependencies into a repository class

遵循 DI,创建两个单独的存储库的最佳实践是什么 classes...例如

public class FirstDbRepo : Repository

public class SecondDbRepo : Repository

这基本上实现了如下所示的存储库 class

namespace MyApp.Persistence
{
    public class Repository<T> : IRepository<T> where T : EntityBase
    {
        public IConfig Config { get; set; }
        private Database Database 
        { 
            get 
            {
                 // Use Config to get connection
            }; 
            set; 
        }

        public Repository(IConfig config)
        {
            Config = config;
        }

        public IEnumerable<T> Get(Expression<Func<T, bool>> predicate)
        {
            // Use database to get items
        }

        public T CreateItem(T item)
        {
            // Use database to create item
        }
    }
}

但是要注入不同的配置 values/instances...

public interface IConfig
{
    string DatabaseName{ get; }
    string DatabaseEndpoint{ get; }
    string DatabaseAuthKey{ get; }
}

我首先想到的是创建标记界面,但想知道这是否有味道...是否有更正确的方法使用 DI 来完成此操作?

public interface IFirstDbRepo { }

public class FirstDbRepo<T> : Repository<T> where T: EntityBase
{
    public FirstDbRepo(FirstConfig config)
        : base(config)
    { }
}

public class FirstConfig : IConfig
{
    public string DatabaseName{ get { return "MyName" }; } // From web.config
}

然后为每个 repo 使用 ninject 绑定...消费者可以按如下方式使用

public class Consumer() {
     private readonly IFirstDbRepo _firstRepo;
     public Consumer(IFirstDbRepo firstRepo) {
         _firstRepo = firstRepo;
     }
}
Bind<IConfig>().To<MyConfigOne>().WhenInjectedInto(typeof(FirstDbRepo));
Bind<IConfig>().To<MyConfigTwo>().WhenInjectedInto(typeof(SecondDbRepo ));

Contextual binding