我有一个名为Infrastructure
的项目,其中包含一个接口IRepository
public interface IRepository<T>
{
/// <summary>
/// Adds the specified entity to the respository of type T.
/// </summary>
/// <param name="entity">The entity to add.</param>
void Add(T entity);
/// <summary>
/// Deletes the specified entity to the respository of type T.
/// </summary>
/// <param name="entity">The entity to delete.</param>
void Delete(T entity);
}
在我的解决方案中,我有两个其他项目
这两个项目都包含IRepository
接口
public class EFRepository<T> : IRepository<T>
{
// DbContext for Application.Web project
ApplicationWebDbContext _db;
public EFRepository(ApplicationWebDbContext context)
{
_db = context;
}
public void Add(T entity) { }
public void Delete(T entity) { }
}
public class EFRepository<T> : IRepository<T>
{
// DbContext for Application.Web.Api project
ApplicationWebAPIDbContext _db;
public EFRepository(ApplicationWebAPIDbContext context)
{
_db = context;
}
public void Add(T entity) { }
public void Delete(T entity) { }
}
这两种实现都适用于不同的DataContexts
。
如何在ninject中绑定它?
private static void RegisterServices(IKernel kernel)
{
// bind IRepository for `Application.Web` project
kernel.Bind(typeof(IRepository<>)).To(typeof(Application.Web.EFRepository<>));
// bind IRepository for `Application.Web.Api' project
kernel.Bind(typeof(IRepository<>)).To(typeof(Application.Web.Api.EFRepository<>));
}
答案 0 :(得分:22)
有several appoaches来解决此类情况
最简单,只需为依赖项提供名称:
kernel
.Bind(typeof(IRepository<>))
.To(typeof(WebApiEFRepository<>))
// named binding
.Named("WebApiEFRepository");
使用此名称解决它。名称可以在配置中找到:web.config
例如:
var webApiEFRepository = kernel.Get<IRepository<Entity>>("WebApiEFRepository");
从injection context查找要绑定的类型。 在基于目标命名空间的示例中
kernel
.Bind(typeof(IRepository<>))
.To(typeof(WebDbRepository<>))
// using thins binding when injected into special namespace
.When(request => request.Target.Type.Namespace.StartsWith("Application.Web"));
从内核获取依赖:
// WebDbRepository<> will be injected
var serice = kernel.Get<Application.Web.Service>();