我们正在从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>();
}
实际上还有其他依赖关系.
如何为IMyRepository说Lamar GetInstance()并使用值xy作为名为accountId的构造函数参数?
最佳答案 我看到拉马尔的两种方法.
使用属性
虽然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/
您也可以考虑在这种情况下是否真的需要工厂,如果直接使用嵌套的可注射容器可能会使设计更清洁.