我正在尝试找出将参数传递给自动解析参数的子对象的构造函数的最佳(最好)方法。
为什么呢? 因为我有一个程序,几乎所有的计算都针对相同的“生产”数据库(在配置文件中定义,所以不需要参数)。但是现在需要在这个数据库的“副本”上运行一些工作。因此需要不同的连接字符串。
连接字符串可以在构造函数上提供,在编译时是未知的。问题是我不能(或者不知道如何)只是访问这个构造函数,因为它深埋在生成的项目中。
考虑以下(简化)代码段:
public class Example
{
protected readonly IGenerateSomethingFactory Factory;
public Example(IGenerateSomethingFactory factory)
{
Factory = factory;
}
public Task DoSomething(string ConnectionString, string a, string b)
{
//needs to run somehow using the supplied connection string ...
return Task.Run(() => Factory.CreateSomething().Execute(a, b));
//= Task.Run(() => new Something(new UnitOfWork(new DataContext(ConnectionString))).Execute(a, b));
}
public Task DoSomething(string a, string b)
{
//needs to run using the default connection string (defined in config)
return Task.Run(() => Factory.CreateSomething().Execute(a, b));
}
}
问题出现在第一个DoSomething(...)
函数中。
注意:Castle Windsor安装程序如下所示:
public class Installer : IWindsorInstaller
{
public void Install(IWindsorContainer container, IConfigurationStore store)
{
container.AddFacility<TypedFactoryFacility>();
container.Register(Component.For<IGenerateSomethingFactory>().AsFactory());
container.Register(Classes.FromThisAssembly().InNamespace("x").WithService.FirstInterface());
}
}
我正在寻找一个解决方案:
new
或container.Resolve<>()
我一直在研究选择处理程序,但还没找到我想要的东西。
PS:我正在使用Castle Windsor 3.3.0
PPS:这是我的第一个问题,我可以提供更多示例代码,但我认为应该限制到最低限度......所以,如果我需要,请告诉我。
答案 0 :(得分:2)
从您的示例中,您看起来只需要在typed factory's CreateSomething
方法中添加参数:
public interface IGenerateSomethingFactory
{
ISomething CreateSomething(string connectionString);
}
然后将其作为参数添加到ISomething
实施中:
public class Something : ISomething
{
public Something(string connectionString)
{
}
}
请注意CreateSomething
和Something
的构造函数的参数是如何命名的。 This is the default behavior for parameter matching
现在,您只需将调用中的值传递给DoSomething
:
public Task DoSomething(string ConnectionString, string a, string b)
{
return Task.Run(() => Factory.CreateSomething(ConnectionString).Execute(a, b));
}
根据您添加的代码,您不能立即尝试执行的操作。简而言之,您拥有此解决方案层次结构:
IGenerateSomethingFactory.Create(string constring)
Something.ctor(IUnitOfWork uow)
UnitOfWork.ctor(IDataContext context)
DataContext.ctor(string constring)
您尝试将调用从Create
调用传递给DataContext
的构造函数。
有关启用此功能的方法,请参阅my answer(根据我自己的问题)。我这样做是通过更改Windsor的默认行为将工厂创建参数向下传递给所有正在解析的对象而不是第一个。
首先,创建此类以更改此行为:
public class DefaultDependencyResolverInheritContext : DefaultDependencyResolver
{
protected override CreationContext RebuildContextForParameter(CreationContext current, Type parameterType)
{
if (parameterType.ContainsGenericParameters)
{
return current;
}
return new CreationContext(parameterType, current, true);
}
}
然后在创建容器时提供它:
var kernel = new DefaultKernel(
new DefaultDependencyResolverInheritContext(),
new NotSupportedProxyFactory());
var container = new WindsorContainer(kernel, new DefaultComponentInstaller());
就是这样。现在,当您调用Create
方法时,constring
参数将传递给所有正在注册的对象。 显然,如果您的参数名称相同,这可能会导致问题!在您的情况下,这是一个“环境”参数(我的术语),因此您只需记录此行为/参数名称并调用它一天。
我希望看到另一种方法,除了为所有中间类型创建工厂。