我不认为有一种方法可以配置处理器来处理@FooEntity
以及使用(在这种情况下) 进行元注释的注释。您可以做的是拥有一个支持任何注释 ( ) 的处理器,然后在处理器本身内实现一些进一步的逻辑,以便决定您确实想要处理哪些注释。这是基于我对问题的理解的这样一个实现:@FooEntity
@Controller
@SupportedAnnotationTypes("*")
package acme.annotation.processing;
import java.util.HashSet;
import java.util.Set;
import javax.annotation.processing.AbstractProcessor;
import javax.annotation.processing.RoundEnvironment;
import javax.annotation.processing.SupportedAnnotationTypes;
import javax.lang.model.element.TypeElement;
import acme.annotation.FooEntity;
@SupportedAnnotationTypes("*")
public class FooEntityExtendedProcessor extends AbstractProcessor {
private void log(String msg) {
System.out.println(msg);
}
@Override
public boolean process(Set<? extends TypeElement> annotations, RoundEnvironment roundEnv) {
log("Initially I was asked to process:" + annotations.toString());
Set<TypeElement> fooAnnotations = new HashSet<>();
for (TypeElement elem : annotations) {
if (isFoo(elem)) fooAnnotations.add(elem);
}
if (fooAnnotations.size() > 0) {
log("... but I am now going to process:" + fooAnnotations.toString());
processInternal(fooAnnotations, roundEnv);
} else {
log("... but none of those was my business!");
}
// always return false so that other processors get a chance to process the annotations not consumed here
return false;
}
private void processInternal(Set<? extends TypeElement> annotations, RoundEnvironment roundEnv) {
// TODO: do your foo processing here
}
private boolean isFoo(TypeElement elem) {
if (elem.getQualifiedName().toString().equals("acme.annotation.FooEntity")
|| elem.getAnnotation(FooEntity.class) != null) {
return true;
} else {
return false;
}
}
}
示例运行将为您提供:
Initially I was asked to process:[acme.annotation.FooEntity, skriptor.annotation.ScriptArg, java.lang.Override, skriptor.annotation.ScriptCodeRT, skriptor.annotation.ScriptCode, skriptor.annotation.ScriptObject, javax.ws.rs.Path, javax.ws.rs.GET, acme.annotation.Controller, com.sun.jersey.spi.resource.Singleton, skriptor.annotation.ScriptImport, javax.ws.rs.ext.Provider, javax.ws.rs.Produces, javax.annotation.PostConstruct]
... but I am now going to process:[acme.annotation.Controller, acme.annotation.FooEntity]