使用StructureMap连接不同的实现
本文关键字:实现 StructureMap 连接 使用 | 更新日期: 2023-09-27 18:35:48
我有一个非常简单的通用存储库:
public interface IRepository<TEntity, TNotFound>
where TEntity : EntityObject
where TNotFound : TEntity, new()
{
IList<TEntity> GetAll();
TEntity With(int id);
TEntity Persist(TEntity itemToPersist);
void Delete(TEntity itemToDelete);
}
我想为Term
类型定义存储库的合约,没有任何特殊行为。所以它看起来像这样:
public class TermNotFound : Term
{ public TermNotFound() : base(String.Empty, String.Empty) { } }
public interface ITermRepository : IRepository<Term, TermNotFound> { }
现在为了测试,我想创建一个通用存储库的内存中实现,所以我有这个(为简洁起见未完成):
public class InMemoryRepository<TEntity, TNotFound> : IRepository<TEntity, TNotFound>
where TEntity : EntityObject
where TNotFound : TEntity, new()
{
private IList<TEntity> _repo = new List<TEntity>();
public IList<TEntity> GetAll()
{
return this._repo;
}
public TEntity With(int id)
{
return this._repo.SingleOrDefault(i => i.Id == id) ?? new TNotFound();
}
public TEntity Persist(TEntity itemToPersist)
{
throw new NotImplementedException();
}
public void Delete(TEntity itemToDelete)
{
throw new NotImplementedException();
}
}
不难看出我希望它如何工作。对于我的测试,我希望注入通用InMemoryRepository
实现以创建我的ITermRepository
。这有多难?
好吧,我无法让StructureMap做到这一点。我尝试在扫描仪中使用WithDefaultConventions
和ConnectImplementationsToTypesClosing(typeof(IRepository<,>))
但没有成功。
有人可以帮我吗?
您的InMemoryRepository
没有实现ITermRepository
接口。这就是为什么您无法连接它们的原因。
你能用你所拥有的做的最好的事情就是为IRepository<Term, TermNotFound>
注入InMemoryRepository<Term, TermNotFound>
。
如果你真的需要注入ITermRepository
,那么你需要有另一个从InMemoryRepository
继承的存储库类并实现ITermRepository
:
public class InMemoryTermRepository
: InMemoryRepository<Term, TermNotFound>, ITermRepository
{
}
现在,您可以使用以下方法将ITermRepository
连接到InMemoryTermRepository
:
.For<ITermRepository>().Use<InMemoryTermRepository>()
如果你有很多接口,比如ITermRepository
,你可以创建一个结构图约定,I...Repository
连接到InMemory...Repository
。默认约定是将IClass
连接到Class
。