Guice,使用@AssistedInject </t>时注入TypeLiteral <t>

时间:2012-04-18 22:51:36

标签: guice guice-3

这有效:

public static class SomeGenericType<T> {
    private TypeLiteral<T> type; 

    @Inject
    public SomeGenericType(TypeLiteral<T> type) {
        this.type = type; 
    }

    public Class<? super T> getType() {
        return type.getRawType();
    }
}

当我这样做时,Guice会自动注入表示String的TypeLite:

@Inject SomeGenericType<String> foo;

但是在使用Assisted Inject尝试同样的事情时:

public static interface FooFactory<T> {
    Foo<T> create(String name);
}

public static class Foo<T> {

    @AssistedInject
    public Foo(TypeLiteral<T> type, @Assisted String name) {
        ....

我的模块看起来像这样:

public static class TestMod extends AbstractModule {
    @Override
    protected void configure() {
        install(new FactoryModuleBuilder().build(new TypeLiteral<FooFactory<String>>(){}));
    }   
}

我在安装模块时遇到异常:

TypeLiteral<T> cannot be used as a Key, it is not fully specified. 

我正在尝试注入的TypeLiteral就是问题,因为当删除它时,通用工厂确实可以正常工作。

所以,我现在可能只是推出自己的工厂,但我很想知道这是否应该有效?是否使用FactoryModuleBuilder略有不同?

1 个答案:

答案 0 :(得分:4)

您是如何访问FooFactory的实例的?我在下面的代码中构建了变体,它对我有用:

public class AnotherGuiceTest {
    public static void main( String[] args ) {
        Injector i = Guice.createInjector( new TestMod() );
        FooFactory<String> ff = i.getInstance( Key.get( new TypeLiteral<FooFactory<String>>() {} ) );
        ff.create( "myname" );
    }
}

interface FooFactory<T> {
    Foo<T> create( String name );
}

class Foo<T> {

    @Inject
    public Foo( TypeLiteral<T> type, @Assisted String name ) {
        System.out.println( type.getRawType() );
        System.out.println( name );
    }
}

class TestMod extends AbstractModule {
    @Override
    protected void configure() {
        install( new FactoryModuleBuilder().build( new TypeLiteral<FooFactory<String>>() {} ) );
    }
}

输出:

class java.lang.String
myname

注意我使用了常规的@Inject注释,而不是@AssistedInject,我认为是工厂中的多个构造函数。如果直接注入实例,这也有效:

public class AnotherGuiceTest {
    public static void main( String[] args ) {
        Injector i = Guice.createInjector( new TestMod() );
        AppClass ac = i.getInstance( AppClass.class );
    }
}

class AppClass {
    @Inject
    public AppClass( FooFactory<String> fooFactory ) {
        fooFactory.create( "test" );
    }
}

输出:

class java.lang.String
test