Guice在不使用@Singleton的情况下将单个实例注入多个对象

时间:2013-08-21 13:07:19

标签: java guice cyclic-dependency

我正在阅读Guice文档,并且遇到了标记为Eliminate the Cycle (Recommended)的部分,这引起了我的兴趣,因为这正是导致我今天获取文档的问题。

基本上,为了消除循环依赖关系,您可以“将依赖关系案例提取到一个单独的类中”。 好的,没有新的东西。

所以,在这个例子中,我们有。

public class Store {
        private final Boss boss;
        private final CustomerLine line;
        //...

        @Inject public Store(Boss boss, CustomerLine line) {
                this.boss = boss; 
                this.line = line;
                //...
        }

        public void incomingCustomer(Customer customer) { line.add(customer); } 
}

public class Boss {
        private final Clerk clerk;
        @Inject public Boss(Clerk clerk) {
                this.clerk = clerk;
        }
}

public class Clerk {
        private final CustomerLine line;

        @Inject Clerk(CustomerLine line) {
                this.line = line;
        }

        void doSale() {
                Customer sucker = line.getNextCustomer();
                //...
        }
}

您有StoreClerk,每个人都需要引用CustomerLine的单个实例。这个概念没有问题,并且可以轻松地使用经典的依赖注入:

CustomerLine customerLine = new CustomerLine();
Clerk clerk = new Clerk(customerLine);
Boss boss = new Boss(clerk);
Store store = new Store(boss, customerLine);

这很容易,但是现在,我需要使用Guice注射器来做到这一点。因此,我的问题是实施以下内容:

  

您可能希望确保商店和文员都使用   同一个CustomerLine实例。

是的,这正是我想要做的。 但是如何在Guice模块中执行此操作?

public class MyModule extends AbstractModule implements Module {
    @Override
    protected void configure() {
        //Side Question: Do I need to do this if there if Boss.class is the implementation?
        bind(Boss.class);
        bind(CustomerLine.class).to(DefaultCustomerLine.class); //impl
    }
}

我用我的模块创建一个注射器:

Injector injector = Guice.createInjector(new MyModule());

现在,我想要一个Store的实例:

Store store = injector.getInstance(Store.class);

这会将CustomerLineBoss的新实例注入此Store实例。但是,Boss会获得Clerk的实例,该实例也会注入CustomerLine的实例。此时,它将是一个新实例,从注入Store的实例中唯一。

重新讨论的问题

  • StoreClerk如何在此序列中共享相同的实例, 不使用@Singleton

如果需要更多信息,请告诉我,或者这个问题没有说清楚,我一定会修改。

1 个答案:

答案 0 :(得分:11)

您应该使用provider

public class StoreProvider implements Provider<Store> {
  @Inject 
  private Boss boss ;

  public Store get() {
    return new Store(boss, boss.getClerk().getCustomerLine());
  }
}

然后将其绑定在您的模块中

bind(Store.class).toProvider(StoreProvider.class);