我现在有一些空闲时间,所以我想了解一下 DI 和 IoC 容器。我无缘无故地选择了统一,除了我可以说的主要框架之间没有重大差异,我应该太担心开始。随着事情变得越来越复杂,我意识到我可能需要改变,但现在我希望它能做到。
所以,我正在处理一个相对简单的数据访问场景,并实现了以下接口和数据访问类。
public interface IEventRepository
{
IEnumerable<Event> GetAll();
}
public class EventRepository : IEventRepository
{
public IEnumerable<Event> GetAll()
{
// Data access code here
}
}
然后使用我可以执行以下操作。
IUnityContainer container = new UnityContainer();
container.RegisterType(typeof(IEventRepository), typeof(EventRepository));
var eventRepo = container.Resolve<IEventRepository>();
eventRepo.GetAll();
如果我需要根据我的理解在 6 个月内更改我的数据库提供程序,我会创建一个新的 IEventRepository 实现并更新类型注册,那很好。
现在,这就是我感到困惑的地方。例如,如果我想实现一些缓存,我可以从 IEventRepository 的适当实现继承并覆盖适当的方法来实现必要的缓存。但是,这样做会使使用通过 DI 传入的 Moq 实现来测试缓存是否正常工作变得更加困难,因此本着 DI 的真正精神,我认为创建 IEventRepository 的实现,然后使用 DI 请求一个IEventRepository 的实际数据访问实现就像这样。
public class CachedEventRepository : IEventRepository
{
private readonly IEventRepository _eventRepo;
public CachedEventRepository(IEventRepository eventRepo)
{
if (eventRepo is CachedEventRepository)
throw new ArgumentException("Cannot pass a CachedEventRepository to a CachedEventRepository");
_eventRepo = eventRepo;
}
public IEnumerable<Event> GetAll()
{
// Appropriate caching code ultimately calling _eventRepo.GetAll() if needed
}
}
这是有道理的还是我做错了?你有什么建议?如果我做得正确,我该如何解决以下情况,以便 CachedEventRepository 获得 IEventRepository 的适当数据访问实现?
IUnityContainer container = new UnityContainer();
container.RegisterType(typeof(IEventRepository), typeof(EventRepository));
container.RegisterType(typeof(IEventRepository), typeof(CachedEventRepository));
var eventRepo = container.Resolve<IEventRepository>();
eventRepo.GetAll();
非常感谢您的帮助。
编辑 1 以下是我希望能够执行的最小起订量测试,我认为使用继承是不可能的,并且需要 DI。
var cacheProvider = new MemoryCaching();
var eventRepo = new Mock<IEventRepository>(MockBehavior.Strict);
eventRepo
.Setup(x => x.GetAll())
.Returns(() =>
{
return new Event[] {
new Event() { Id = 1},
new Event() { Id = 2}
};
});
var cachedEventRepo = new CachedEventRepository(
eventRepo.Object,
cacheProvider);
var data = cachedEventRepo.GetAll();
data = cachedEventRepo.GetAll();
data = cachedEventRepo.GetAll();
Assert.IsTrue(data.Count() > 0);
eventRepo.Verify(x => x.GetAll(), Times.Once());
// This set method should expire the cache so next time get all is requested it should
// load from the database again
cachedEventRepo.SomeSetMethod();
data = cachedEventRepo.GetAll();
data = cachedEventRepo.GetAll();
Assert.IsTrue(data.Count() > 0);
eventRepo.Verify(x => x.GetAll(), Times.Exactly(2));