即使我的问题来自注释处理,但我的问题与Java注释有关。
我一直在写一些代码,直到我意识到我不知道实现某种东西的好方法。
该程序使用注释处理,我试图获取多个JAX-RS注释的值,让我们以@PathParam
和@QueryParam
为例。这两个注释都具有称为value()
以下代码是我不想编写它的示例。我必须为每个JAX-RS注释执行此操作。
@Override
public boolean process(Set<? extends TypeElement> annotations, RoundEnvironment roundEnv) {
for(Element element : roundEnv.getElementsAnnotatedWith(PathParam.class)) {
PathParam parameter = element.getAnnotation(PathParam.class);
String value = parameter.value();
// Process data & more program code.
}
for(Element element : roundEnv.getElementsAnnotatedWith(QueryParam.class)) {
QueryParam parameter = element.getAnnotation(QueryParam.class);
String value = parameter.value();
// Process data & more program code.
}
// Etc... do the same for other JAX-RS annotations.
return true;
}
我知道抽象类可以执行以下操作:
abstract class Animal {
abstract String name();
}
class Dog extends Animal {
public String name() {
return "Dog";
}
}
class Cat extends Animal {
public String name() {
return "Cat";
}
}
Animal animal = new Cat();
System.out.println(animal.name()); // Prints 'Cat'
animal = new Dog();
System.out.println(animal.name()); // Prints 'Dog'
但是我不确定如何使用注释来完成类似的事情,因为没有可以将其强制转换为的超类。 我在想应该是这样的:
ArrayList<Class<? extends Annotation>> annotationsToCheck =
new ArrayList<>(Arrays.asList(PathParam.class, QueryParam.class));
for(Class<? extends Annotation> annotationToCheck : annotationsToCheck) {
for(Element element : roundEnv.getElementsAnnotatedWith(annotationToCheck)) {
// Somehow cast it to something so that the value() method can be accessed
// Process data & more program code.
}
}
我觉得我已经接近了,但我只是不能完全动动手指。有解决我问题的好方法吗?
答案 0 :(得分:0)
在Java 9+中,不需要强制转换:
for (Element element : roundEnv.getElementsAnnotatedWithAny(Set.of(PathParam.class,
QueryParam.class))) {
PathParam pathParam = element.getAnnotation(PathParam.class);
if (pathParam != null) {
String value = pathParam.value();
// Process @PathParam value
}
QueryParam queryParam = element.getAnnotation(QueryParam.class);
if (queryParam != null) {
String value = queryParam.value();
// Process @QueryParam value
}
}
或者,如果您只期望其中之一:
for (Element element : roundEnv.getElementsAnnotatedWithAny(Set.of(PathParam.class,
QueryParam.class))) {
String value = null;
PathParam pathParam = null;
QueryParam queryParam = null;
if ((pathParam = element.getAnnotation(PathParam.class)) != null) {
value = pathParam.value();
} else if ((queryParam = element.getAnnotation(QueryParam.class)) != null) {
value = queryParam.value();
}
// Process value. Exactly one of pathParam and queryParam will be non-null
}