我们正在从StructureMap迁移到Lamar,但我找不到在运行时传递参数的“ Lamar版本”。
我们有一个需要字符串参数(伪代码)的类:
public class MyRepository {
public MyRepository(string accountId) {}
}
…还有一家工厂
public class MyRepoFactory(Container container) {
public MyRepository GetRepositoryForAccount(string accountId) =>
container
// With() is not available in Lamar?
.With("accountId").EqualTo(accountId)
.GetInstance<IMyRepository>();
}
实际上,还有其他依赖项。
怎么说Lamar GetInstance()
代表IMyRepository
,如何将值xy用作名为accountId
的构造函数参数?
答案 0 :(得分:1)
我看到了使用Lamar的两种方法。
使用属性
虽然Lamar不提供With()
,但解决方法可能是使帐户成为您在工厂方法中设置的属性,或者让工厂简单地从容器中手动获取所有存储库的依赖项。毕竟,它是一家工厂,因此从设计的角度来看,将其与所生产的类型紧密联系起来即可。
使用上下文
更好的方法可能是在上下文中设置accountId并在存储库中使用上下文:
public class ExecutionContext
{
public Guid AccountId { get; set; } = Guid.NewGuid();
}
存储库看起来像这样
public class MyRepository
{
public ExecutionContext Context { get; }
public MyRepository(ExecutionContext context)
{
Context = context;
}
}
使上下文可注入...
var container = new Container(_ =>
{
_.Injectable<ExecutionContext>();
});
然后在您的工厂...
public MyRepository GetRepositoryForAccount(string accountId) {
var nested = container.GetNestedContainer();
var context = new ExecutionContext{ AccountId = accountId };
nested.Inject(context);
return nested.GetInstance<IMyRepository>()
}
文档:https://jasperfx.github.io/lamar/documentation/ioc/injecting-at-runtime/
您还可能需要考虑在这种情况下是否真的需要工厂,例如是否直接使用嵌套的可注射容器也许可以使设计更简洁。
答案 1 :(得分:0)
粗鲁但简单的解决方案可能是下一个代码:
var type = container.Model.DefaultTypeFor(typeof(IMyRepository));
var constructor = type.GetConstructor(new[] { typeof(string) });
var instance = constructor.Invoke(new object[] { accountId });
return (IMyRepository)instance;