由于Java中没有类型文字,因此通常使用TypeToken技巧。
假设您要获取一个表示TypeList<String>实例,您可以这样做:

new TypeToken<List<String>>(){}.getType()


现在,我想知道是否有可能使用类似的技巧来获取AnnotatedType的实例。例如,代表List<@NonNull String>甚至@NonNull List<@NonNull String>

编辑:
Here's a full AnnotatedType-enabled TypeToken implementation,由GeAnTyRef提供。

要点:

public abstract class TypeToken<T> {
    private final AnnotatedType type;

    /**
     * Constructs a type token.
     */
    protected TypeToken() {
        this.type = extractType();
    }

    private TypeToken(AnnotatedType type) {
        this.type = type;
    }

    public Type getType() {
        return type.getType();
    }

    public AnnotatedType getAnnotatedType() {
        return type;
    }

    private AnnotatedType extractType() {
        AnnotatedType t = getClass().getAnnotatedSuperclass();
        if (!(t instanceof AnnotatedParameterizedType)) {
            throw new RuntimeException("Invalid TypeToken; must specify type parameters");
        }
        AnnotatedParameterizedType pt = (AnnotatedParameterizedType) t;
        if (((ParameterizedType) pt.getType()).getRawType() != TypeToken.class) {
            throw new RuntimeException("Invalid TypeToken; must directly extend TypeToken");
        }
        return pt.getAnnotatedActualTypeArguments()[0];
    }
}

最佳答案

只需使用注释和then use reflection创建类型标记-或任何带有带注释的类型参数的匿名子类,并使用提取带注释的类型。

请注意,这仅适用于具有运行时保留的注释。

使用链接的答案中的fullType()方法:

    List<?> token = new ArrayList<@NonNull String>() {};
    fullType("", token.getClass().getAnnotatedSuperclass());


版画

java.util.ArrayList
<
    @org.checkerframework.checker.nullness.qual.NonNull()
    java.lang.String
>

09-25 20:56