如何注入使用 Guice 中的辅助注入创建的对象?

How to Inject an object which is created with Assisted Injection in Guice?

我正在尝试将一个具有运行时变量的对象传递给另一个对象。我如何使用 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.

的值

现在你想要的是创建一个 B 的实例,它依赖于 A 的实例。您要求 Guice 为您提供 B 的实例,但 Guice 如何在没有 A 的情况下创建 B 的实例?您还没有绑定 A.

的任何实例

因此,要解决此问题,您必须手动创建 B 的实例。

您可以通过以下方式实现它。

首先,您需要一个 B

的工厂
public interface IBFactory {
    IB create(String name);
}

然后您需要在 class 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));
}

备注 我在 class B 中传递 name。您可以更新 IBFactory 以将 IA 作为辅助参数,然后首先使用 IAFactory 在外部创建 IA 的实例,然后将 IA 的实例传递给 IBFactory 以创建 IB

的实例