Ninject 支持四种开箱即用的内置对象作用域:Transient、Singleton、Thread、Request。
所以没有任何类似的范围,但您可以通过使用该方法PerResolveLifetimeManager
注册自定义范围来轻松实现它。InScope
事实证明,有一个现有的 Ninject 扩展:ninject.extensions.namedscope
它提供了InCallScope
您正在寻找的方法。
但是,如果您想自己做,您可以使用自定义InScope
委托。您可以在其中使用IRequest
类型的主要对象将A
其用作范围对象:
var kernel = new StandardKernel();
kernel.Bind<A>().ToSelf().InTransientScope();
kernel.Bind<B>().ToSelf().InTransientScope();
kernel.Bind<C>().ToSelf().InTransientScope();
kernel.Bind<D>().ToSelf().InScope(
c =>
{
//use the Request for A as the scope object
var requestForA = c.Request;
while (requestForA != null && requestForA.Service != typeof (A))
{
requestForA = requestForA.ParentRequest;
}
return requestForA;
});
var a1 = kernel.Get<A>();
Assert.AreSame(a1.b.d, a1.c.d);
var a2 = kernel.Get<A>();
Assert.AreSame(a2.b.d, a2.c.d);
Assert.AreNotSame(a1.c.d, a2.c.d);
样本类在哪里:
public class A
{
public readonly B b;
public readonly C c;
public A(B b, C c) { this.b = b; this.c = c; }
}
public class B
{
public readonly D d;
public B(D d) { this.d = d; }
}
public class C
{
public readonly D d;
public C(D d) { this.d = d; }
}
public class D { }