编程语言
首页 > 编程语言> > java-如何在批注中使用不同的枚举类型?

java-如何在批注中使用不同的枚举类型?

作者:互联网

我正在使用特定于模块的不同枚举定义不同模块的系统常数.现在,我需要定义一个注释,在其中可以指定这些系统常数中的任何一个.

我无法定义注释,因为不同模块的常量具有不同的枚举类型.如果我定义了一个由所有枚举类型实现的接口,那将无法工作,因为不能在注释中使用接口.我总是可以定义String常量而不是枚举.但是有没有办法使用枚举来做到这一点?

interface ISystemConstant {
}

enum ModuleA implements ISystemConstant {  // Enum of system constants in ModuleA
}

enum ModuleB implements ISystemConstant {  // Enum of system constants in ModuleB
}

@interface Annotation {    // The annotation I need to define
    ISystemConstant sysConstant(); // Illegal interfaces are not allowed in annotations.
}

解决方法:

>使用代理枚举

然后,您可以在注释中使用代理的类型.这是一个小例子:

public @interface Annotation {
    Types value();
}

interface Type {}

enum FirstType implements Type {
    ONE, TWO;
}

enum SecondType implements Type {
    A, B
}

// proxy
enum Types {
    FT_ONE(FirstType.ONE),
    FT_TWO(FirstType.TWO),
    ST_A(SecondType.A),
    ST_B(SecondType.B);

    private final Type actual;

    private Types(Type actual) {
        this.actual = actual;
    }

    public Type getType() {
        return actual;
    }
}

>使用字符串作为标识符

使用字符串来标识所需的枚举.您必须在运行时检查它是否有效.
您还可以添加第二个字段Class<?>. type()指定使用的模块.

public @interface Annotation {
    String value();
}

标签:enums,java
来源: https://codeday.me/bug/20191122/2062471.html