1

我想在 CDI 中触发一个事件,我只能在运行时确定其类型。例如,假设有一些A实现类的接口AAAB. 我有两个观察者:

public void observeAA(@Observes AA aa) {
}

public void observeAA(@Observes AB ab) {
}

然后是一些事件制作者:

@Inject @Any
private Event<A> event;

public A getPayload();

public void fire() {
    this.event.fire(getPayload());
}

这不起作用,因为A既不是AAor的子类型AB(反之亦然)。我注意到有一种select采用子类型的方法:

public <U extends T> Event<U> select(Class<U> subtype, Annotation... qualifiers);

但是,它需要一个正确参数化的Class对象,它(如果我错了,那就更正),我不能在运行时构建。

有什么解决方案还是我必须使用限定符(可能是带有Class<?>方法的注释)?

4

3 回答 3

1

我最终对Class<?>成员使用了限定符。

@Qualifier
@Target({TYPE, METHOD, PARAMETER, FIELD})
@Retention(RUNTIME)
public @interface EventType {
    Class<?> value();
}


public class Dispatcher {

    @Inject @Any
    private Event<A> event;

    public void fireEvent(A a) {
            this.event.select(
                    getTypeAnnotation(
                    a.getClass())).fire(a);
    }

    public static EventType getTypeAnnotation(
            final Class<?> type) {
        return (EventType) Proxy.newProxyInstance(
                Thread.currentThread().getContextClassLoader(),
                new Class<?>[]{EventType.class},
                new InvocationHandler() {

            @Override
            public Object invoke(Object proxy, Method method,
                    Object[] args) throws Throwable {
                if (method.equals(
                        EventType.class.getMethod("value"))) {
                    return type;
                } else if (method.equals(Annotation.class.getMethod(
                        "annotationType"))) {
                    return EventType.class;
                } else if (method.getName().equals("hashCode")) {
                    return 127 * "value".hashCode() ^ type.hashCode();
                } else if (method.getName().equals("equals")) {
                    return (args[0] instanceof EventType &&
                            ((EventType)args[0]).value()
                            .equals(type));
                }
                return null;
            }
        });
    }
}

public class X {
    public void observeA(
            @Observes @EventType(AA.class) A a) {
    ...

编辑

这是实例化注解的一种更简单的方法:

public abstract static class ConfigTypeAnnotation
        extends AnnotationLiteral<ConfigType>
        implements ConfigType { }

public static ConfigType getConfigTypeAnnotation(final Class<?> type) {
    return new ConfigTypeAnnotation() {
        @Override
        public Class<?> value() {
            return type;
        }
    };
}
于 2011-08-04T14:59:51.983 回答
0

你为什么不使用

public void observeA(@Observes A a) {
}

您在其中根据“a”实现类决定做什么?

public void observeA(@Observes A a) {
    if (a instanceof AA)
    {
     ...
    }
    else
    ...
}
于 2011-08-04T14:02:13.683 回答
0

我有类似的要求并最终注入 BeanManager 来触发事件。

于 2014-08-16T09:13:55.993 回答