8

标准对象工厂可能如下所示:

interface I { ... }
class A implements I { ... }
class B implements I { ... }

class IFactory {
    I getI(int i) {
        switch (i) {
        case 1: return new A();
        default: return new B();
        }
    }
}

是否可以设置绑定以便为我完成切换,即我所做的只是调用 getInstance 或注入?我正在查看辅助注射,但这似乎是不同的主题:https ://code.google.com/p/google-guice/wiki/AssistedInject

4

1 回答 1

17

听起来您正在寻找一个MapBinder,它是Multibindings功能的一部分。请注意,您仍然需要放入某种IFactory或其他工厂接口,因为getInstance不像您getI那样采用参数,并且您仍然需要在某处建立从整数到类实现的映射。

MapBinder 风格

class IModule extends AbstractModule {
  @Override public void configure() {
    MapBinder<Integer, I> myBinder =
        MapBinder.newMapBinder(binder(), Integer.class, I.class);
    myBinder.addBinding(1).to(A.class);
    // Add more here.
  }
}

// You can even split the MapBinding across Modules, if you'd like.
class SomeOtherModule extends AbstractModule {
  @Override public void configure() {
    // MapBinder.newMapBinder does not complain about duplicate bindings
    // as long as the keys are different.
    MapBinder<Integer, I> myBinder =
        MapBinder.newMapBinder(binder(), Integer.class, I.class);
    myBinder.addBinding(3).to(C.class);
    myBinder.addBinding(4).to(D.class);
  }
}

配置了这些模块的注入器将提供一个注入器,该注入器具有Map<Integer, I>绑定所有内容的实例;这里它将是一个三入口映射,从 1 到完全注入的A实例,从 3 到C实例,从 4 到D实例。这实际上是对您的 switch 示例的改进,该示例使用了new关键字,因此没有将任何依赖项注入Aor B

对于不创建这么多浪费实例的更好选择,请注入Map<Integer, Provider<I>>MapBinder 也自动提供的。像这样使用它:

class YourConsumer {
  @Inject Map<Integer, Provider<I>> iMap;

  public void yourMethod(int iIndex) {
    // get an I implementor
    I i = iMap.get(iIndex).get();
    // ...
  }
}

但是,要以您的方式提供“默认”实现(和不透明的接口),您需要在MapBinder地图顶部实现自己的短包装器:

class IFactory {
  @Inject Map<Integer, Provider<I>> iMap;
  @Inject Provider<B> defaultI; // Bound automatically for every Guice key

  I getI(int i) {
    return iMap.containsKey(i) ? iMap.get(i).get() : defaultI.get();
  }
}

更简单的工厂风格

如果上面看起来有点矫枉过正,请记住,您可以注入Injector并创建一个Map从键到实现的本地。(你也可以ImmutableMap像我在这里一样使用)。

class IFactory {
  @Inject Injector injector; // This is a bad idea, except for times like this
  @Inject Provider<B> defaultI;
  static final ImmutableMap<Integer, Class<? extends I>> map = ImmutableMap.of(
      1, A.class,
      3, C.class,
      4, D.class);

  I getI(int i) {
    return map.containsKey(i)
        ? injector.getInstance(map.get(i))
        : defaultI.get();
  }
}
于 2013-07-16T17:27:36.360 回答