我正在尝试将具有运行时变量的对象传递到另一个对象中。如何使用Guice实现此目的?我是依赖注入的新手。
我想创建几个 A 对象(它们的数量在运行时决定)以及许多使用 A 对象的 B 对象。但首先让我们从它们中的一个对象开始。
谢谢你的帮助。
public interface IA {
String getName();
}
public class A implements IA {
@Getter
protected final String name;
@AssistedInject
A(@Assisted String name) {
this.name = name;
}
}
public interface IAFactory {
IA create(String name);
}
public interface IB {
IA getA();
}
public class B implements IB {
@Getter
protected final IA a;
//...
// some more methods and fields
//...
@Inject
B(IA a) {
this.a = a;
}
}
public class MyModule extends AbstractModule {
@Override
protected void configure() {
install(new FactoryModuleBuilder()
.implement(IA.class, A.class)
.build(IAFactory.class));
bind(IB.class).to(B.class);
}
}
public class Main() {
public static void main(String[] args) throws Exception {
if(args.size < 1) {
throw new IllegalArgumentException("First arg is required");
}
String name = args[0];
Injector injector = Guice.createInjector(new MyModule());
IB b = injector.getInstance(IB.class);
System.out.println(b.getA().getName());
}
}
我想你对此并不完全清楚。所以让我解释一下。
首先,您创建了一个工厂,您将使用它来创建A
实例。你这样做是因为 Guice 不知道参数name
的值。
现在你想要的是创建一个依赖于A
实例的B
实例。您要求 Guice 为您提供一个B
实例,但是 Guice 如何在没有A
的情况下创建B
实例?您尚未绑定任何A
实例。
因此,要解决此问题,您必须手动创建B
实例。
实现它的方法是遵循。
首先,您需要一个工厂来B
public interface IBFactory {
IB create(String name);
}
然后,您需要在类B
中进行以下更改
public class B implements IB {
protected final A a;
@AssistedInject
public B(@Assisted String name, IAFactory iaFactory) {
this.a = iaFactory.create(name);
}
}
现在在您的main
方法
public static void main(String[] args) throws Exception {
if(args.size < 1) {
throw new IllegalArgumentException("First arg is required");
}
String name = args[0];
Injector injector = Guice.createInjector(new MyModule());
IBFactory ibFactory = injector.getInstance(IBFactory.class);
IB b = ibFactory.create(name)
System.out.println(b.getA().getName());
}
另外,不要忘记更新您的配置方法并安装 B 工厂。
protected void configure() {
install(new FactoryModuleBuilder()
.implement(IA.class, A.class)
.build(IAFactory.class));
install(new FactoryModuleBuilder()
.implement(IB.class, B.class)
.build(IBFactory.class));
}
注意我在 B 类中通过name
。您可以更新 IBFactory 以IA
作为辅助参数,然后首先使用IAFactory
在外部创建IA
实例,并将IA
实例传递给IBFactory
以创建IB