我试图在我们的代码中解决这种情况,我需要在运行时根据特定条件解决依赖关系,例如是否存在某些查询字符串值。
假设我有一个控制器AuthenticationController,我有两种版本的身份验证服务。
public class AuthenticationController
{
private readonly IAuthenticationService authenticationService;
public AuthenticationController(IAuthenticationService authenticationService)
{
this.authenticationService = authenticationService;
}
public ActionResult LogOn(LogOnModel model)
{
var isAuthenticated = authenticationService.AuthenticatUser(model.UserName, model.Password);
}
}
public interface IAuthenticationService
{
bool AuthenticatUser(string userName, string password);
}
public class ProviderBasedAuthenticationService : IAuthenticationService
{
public bool AuthenticatUser(string userName, string password)
{
// Authentication using provider;
return true;
}
}
public class ThirdPartyAuthenticationService : IAuthenticationService
{
public bool AuthenticatUser(string userName, string password)
{
// Authentication using third party;
return true;
}
}
我使用城堡windsor实现了IoC和DI。
我在Castle容器中为IAuthenticationService注册了ProviderBasedAuthenticationService和ThirdPartyAuthenticationService。
目前,Castle在解析IAuthenticationService时解析了第一个注册类型的对象。
我希望根据请求URL或路由数据中作为查询字符串一部分的特定值来解析适当类型的IAuthenticationService。
我发现这可以通过Microsoft UnityContainer以某种方式完成,但我不知道如何在Castle Windsor中实现这一点。 (我现在无法将容器更改为Microsoft UnityContainer)。
如果有人可以帮助我或者为此提供一些指导,我将不胜感激。
谢谢和问候, Chetan Ranpariya
答案 0 :(得分:6)
您可以使用工厂方法执行此操作。这是一个例子:
private WindsorContainer ContainerFactory()
{
var container = new WindsorContainer();
container.Register(
Component.For<ProviderBasedAuthenticationService>()
.LifeStyle.Transient,
Component.For<ThirdPartyAuthenticationService>()
.LifeStyle.Transient,
Component.For<AuthenticationController>()
.LifeStyle.Transient,
Component.For<IAuthenticationService>()
.UsingFactoryMethod((k, c) => this.AuthenticationServiceFactory(k)));
return container;
}
private IAuthenticationService AuthenticationServiceFactory(IKernel kernel)
{
return HttpContext.Current != null &&
HttpContext.Current.Request != null &&
HttpContext.Current.Request.QueryString["SomeKey"] != null
? (IAuthenticationService)kernel.Resolve<ThirdPartyAuthenticationService>()
: (IAuthenticationService)kernel.Resolve<ProviderBasedAuthenticationService>();
}
和2个单元测试来证明解决方案
[Fact]
public void Resolve_WithoutTheRequiredQueryString_ReturnsProviderBasedAuthenticationService()
{
var container = this.ContainerFactory();
var result = container.Resolve<AuthenticationController>();
Assert.IsType<ProviderBasedAuthenticationService>(result.authenticationService);
}
[Fact]
public void Resolve_WithTheRequiredQueryString_ReturnsThirdPartyAuthenticationService()
{
var container = this.ContainerFactory();
HttpContext.Current = new HttpContext(
new HttpRequest("", "http://localhost", "SomeKey=Value"),
new HttpResponse(null));
var result = container.Resolve<AuthenticationController>();
Assert.IsType<ThirdPartyAuthenticationService>(result.authenticationService);
}