如何为一个类实例化更多的CDI bean?

时间:2014-08-06 06:30:16

标签: java cdi java-ee-7

注意:三年前已经提出了类似的问题,在EE 6的时候,请参阅how to instantiate more then one CDI/Weld bean for one class? EE 7 中的内容是否发生了变化?< / p>

在Spring中,可以通过在xml conf中定义相应的bean来实例化任何类。也可以使用不同的参数实例化更多的bean .....

是否可以在CDI中执行此操作,我的意思是创建一个实例而不创建另一个类?

Spring示例:

<bean id="foo" class="MyBean">
    <property name="someProperty" value="42"/>
</bean>
<bean id="hoo" class="MyBean">
    <property name="someProperty" value="666"/>      
</bean>

1 个答案:

答案 0 :(得分:5)

我会为MyBean创建限定符FooQualifier,HooQualifier和Producer,如下所示:

@ApplicationScoped
public class MyBeanProducer {

    @Produces
    @FooQualifier
    public MyBean fooProducer() {
        return new MyBean(42);
    }

    @Produces
    @HooQualifier
    public MyBean hooProducer() {
        return new MyBean(666);
    }
}

然后,如果你在某处做:

    @Inject
    @FooQualifier
    private MyBean foo;

你的MyBean实例的foo.getSomeProperty()等于42,如果你这样做:

@Inject
@HooQualifier
private MyBean hoo;

你的MyBean实例的foo.getSomeProperty()等于666。

另一种可能性是拥有一个可配置的限定符:

@Target( { TYPE, METHOD, PARAMETER, FIELD })
@Retention(RUNTIME)
@Documented
@Qualifier
public @interface ConfigurableQualifier {

    @Nonbinding
    int value() default 0;
}

然后是生产者方法:

@Produces
@ConfigurableQualifier
public MyBean configurableProducer(InjectionPoint ip){
    int somePropertyValue = ip.getAnnotated().getAnnotation(ConfigurableQualifier.class).value();
    return new MyBean(somePropertyValue);
}

然后简单地打电话:

@Inject
@ConfigurableQualifier(value = 11)
private MyBean configurableBean;

将导致MyBean实例的someProperty等于11。