温莎城堡的条件解决

Conditional Resolve in Castle Windsor

我正在开发 ASP.NET MVC 4 网络应用程序。默认控制器工厂已按照建议替换为 WindsorControllerFactory here。这很有用,因为此应用程序中的控制器包含对几个服务的引用,这些服务是使用 Windsor 注入实例化的。每个服务都有一个代理来包装它。

因此,我们有以下情况:

它看起来像:

// This URL can be resolved at application startup
container.Register(Component.For<ITestService>()
    .UsingFactoryMethod(() => ServiceFactory.CreateService<ITestService>(Settings.Default.ConfigurationProviderUrl))
    .Named(MainServiceComponent)
    .LifeStyle.Transient);

// The URL for this service can be configured during runtime. If it is null or empty it should not be resolved
container.Register(Component.For<ITestService>()
    .UsingFactoryMethod(() => ServiceFactory.CreateService<ITestService>(SiteInformation.PublishUrl))
    .Named(PublicationServiceComponent)
    .LifeStyle.Transient);

// This proxy is necessary
container.Register(Component.For<IConfigurationProxy>()
    .ImplementedBy<ConfigurationProxyWebService>()
    .ServiceOverrides(ServiceOverride.ForKey(typeof(ITestService)).Eq(MainServiceComponent))
    .LifeStyle.Transient);

// This proxy should be created only if SiteInformation.PublishUrl is different from empty or null
container.Register(Component.For<IConfigurationPublicationProxy>()
    .ImplementedBy<ConfigurationPublicationProxyWebService>()
    .ServiceOverrides(ServiceOverride.ForKey(typeof(ITestService)).Eq(PublicationServiceComponent))
    .LifeStyle.Transient);

有没有办法让温莎在解决之前评估条件?我知道它有条件注册,但我还没有找到一种方法来进行条件解析...提前谢谢你!

而不是 return 参考 null(正如你在评论中所说),我宁愿 return null service implementation。换句话说,一个无操作或只是直通的实现。这样,使用服务的 class 不需要添加任何它实际上不应该知道的任何逻辑(即服务在给定情况下是否有效使用)。

为此,您只需使用 UsingFactoryMethod 功能来决定在运行时 return 向哪个服务提供服务。想要有条件的先报名:

// The URL for this service can be configured during runtime. 
// If it is null or empty it should not be resolved.
container.Register(Component.For<ITestService>()
    .UsingFactoryMethod((kernel, context) => 
    {
        if (!string.IsNullOrEmpty(SiteInformation.PublishUrl))
            return ServiceFactory.CreateService<ITestService>(
                SiteInformation.PublishUrl));
        return kernel.Resolve<INullTestService>();
    })
    .Named(PublicationServiceComponent)
    .LifeStyle.Transient);

我不知道你的 ITestService 接口是什么样的,但我会 INullTestService 从它派生,并且实现尽可能少。