标签:annotation 注解 动态 java
运行时动态处理。可以通过相应的函数得到注解信息。
编译时动态处理。编译时动态生成代码。
元Annotation,如@Retention, @Target, @Inherited, @Documented,所谓元Annotation即指用来定义Annotation的Annnotation
自定义Annotation,有时候有这样的需求需要自己自定义Annotation,定义的过程中需要使用到元Annotation
Java自带了一部分注解,平时其实在不经意的使用,使用的最多的莫过于@Override了,用于表示重写某个函数,然后还有@Deprecated,表示这个函数已经废弃了,不再推荐使用了。@SuppressWarnings用于表示忽略某个错误。
对某个类,字段或者函数加上运行时注解后,我们可以在运行时动态获取注解的信息。
Class<?> clazz=SomeClass.getClass();
Annotation[] annotations = clazz.getAnnotations();
for (Annotation annotation : annotations) {
System.out.println(annotation.annotationType());
}
此类注解用于编译时动态生成代码。
@Target({ElementType.FIELD,ElementType.METHOD})
@Retention(RetentionPolicy.CLASS)
public @interface TestAnnotation {
String name();
int version() default 1;
}
public class Person {
@TestAnnotation(name="name")
private String name;
@TestAnnotation(name="walk")
public void walk(){
System.out.println("walk");
}
}
@SupportedAnnotationTypes("cn.edu.zafu.TestAnnotation")
public class TestProcessor extends AbstractProcessor {
@Override
public boolean process(Set<? extends TypeElement> annotations,
RoundEnvironment roundEnv) {
for (TypeElement te : annotations) {
for (Element element : roundEnv.getElementsAnnotatedWith(te)) {
TestAnnotation testAnnotation = element
.getAnnotation(TestAnnotation.class);
//testAnnotation.name()
//testAnnotation.version()
}
}
return true;
}
}
标签:annotation 注解 动态 java
原文地址:http://blog.csdn.net/sbsujjbcy/article/details/45457775