依赖注入:按区域划分范围(Guice,Spring,Anything)
这是我需求的简化版本。
我有一个程序,其中每个B对象都有自己的C和D对象,通过Guice注入。此外,A 对象被注入到每个 C 和 D 对象中。
我想要的是:对于每个B对象,它的C和D对象将注入相同的A对象。
[编辑-开始]
(1) Guice 支持“单例”和“原型”模式。但是,我需要介于两者之间的东西:我需要A成为给定B对象的单例WRT(以便注入B对象的C和D将共享A对象)。对于另一个 B 对象,我想要另一个 A。因此,它是一个单例,但对于程序的有限范围(实际上,数据结构的有限范围)。
(2)我不介意使用方法(setter)或现场注入的解决方案。
(3)我尝试了几次来实现这一点,它总是觉得我只需要实现DI容器的一些自定义内容就可以使这项工作 - 但它从未奏效。因此,我正在寻找一个详细的解决方案(而不仅仅是“挥手”)
[编辑结束]
具体来说,我希望程序的输出(如下)是:
Created C0 with [A0]
Created D0 with [A0]
Created B0 with [C0, D0]
Created C1 with [A1]
Created D1 with [A1]
Created B1 with [C1, D1]
它当前生成以下输出的位置:
Created C0 with [A0]
Created D0 with [A1] <-- Should be A0
Created B0 with [C0, D0]
Created C1 with [A2] <-- Should be A1
Created D1 with [A3] <-- Should be A1
Created B1 with [C1, D1]
我期望DI容器允许这种自定义,但到目前为止,我没有运气找到解决方案。以下是我基于 Guice 的代码,但欢迎基于 Spring(或其他基于 DI 容器)的解决方案。
import java.util.Arrays;
import com.google.inject.*;
public class Main {
public static class Super {
private static Map<Class<?>,Integer> map = new HashMap<Class<?>,Integer>();
private Integer value;
public Super(Object... args) {
value = map.get(getClass());
value = value == null ? 0 : ++value;
map.put(getClass(), value);
if(args.length > 0)
System.out.println("Created " + this + " with " + Arrays.toString(args));
}
@Override
public final String toString() {
return "" + getClass().getSimpleName().charAt(0) + value;
}
}
public interface A { }
public static class AImpl extends Super implements A { }
public interface B { }
public static class BImpl extends Super implements B {
@Inject public BImpl(C c, D d) { super(c,d); }
}
public interface C { }
public static class CImpl extends Super implements C {
@Inject public CImpl(A a) { super(a); }
}
public interface D { }
public static class DImpl extends Super implements D {
@Inject public DImpl(A a) { super(a); }
}
public static class MyModule extends AbstractModule {
@Override
protected void configure() {
bind(A.class).to(AImpl.class);
bind(B.class).to(BImpl.class);
bind(C.class).to(CImpl.class);
bind(D.class).to(DImpl.class);
}
}
public static void main(String[] args) {
Injector inj = Guice.createInjector(new MyModule());
inj.getInstance(B.class);
inj.getInstance(B.class);
}
}