我花了一些时间想知道是否可以写一个guice模块 它本身用T型参数化并使用 其类型参数指定绑定。
就像在这个(不工作)的例子中一样:
interface A<T> {}
class AImpl<T> implements A<T>{}
interface B<T> {}
class BImpl<T> implements B<T> {}
class MyModule<T> extends AbstractModule {
@Override
protected void configure() {
bind(new TypeLiteral<A<T>>(){}).to(new TypeLiteral<AImpl<T>>(){});
bind(new TypeLiteral<B<T>>(){}).to(new TypeLiteral<BImpl<T>>(){});
}
}
我尝试了不同的方法,尝试将T传递给MyModule作为实例 Class / TypeLiteral但它们都不起作用。 帮助赞赏。
问候,ŁukaszOsipiuk
答案 0 :(得分:12)
为此,您必须使用com.google.inject.util.Types
从头开始构建每个TypeLiteral。你可以这样做:
class MyModule<T> extends AbstractModule {
public MyModule(TypeLiteral<T> type) {
_type = type;
}
@Override protected void configure() {
TypeLiteral<A<T>> a = newGenericType(A.class);
TypeLiteral<AImpl<T>> aimpl = newGenericType(AImpl.class);
bind(a).to(aimpl);
TypeLiteral<B<T>> b = newGenericType(B.class);
TypeLiteral<BImpl<T>> bimpl = newGenericType(BImpl.class);
bind(b).to(bimpl);
}
@SuppressWarnings("unchecked")
private <V> TypeLiteral<V> newGenericType(Class<?> base) {
Type newType = Types.newParameterizedType(base, _type.getType());
return (TypeLiteral<V>) TypeLiteral.get(newType);
}
final private TypeLiteral<T> _type;
}
请注意私有方法newGenericType()将不对类型执行任何控制,您有责任在configure()
中确保可以使用该方法正确构建泛型类型。