java利用反射实现与@Onclick(R.id.button)类似的功能示例
import java.lang.annotation.ElementType;
import java.lang.annotation.Inherited;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
import java.lang.reflect.Method;
@Target({ElementType.METHOD}) //用来标注该注解使用的范围如类,方法等
@Retention(RetentionPolicy.RUNTIME) //指定一条注解应该保留多长时间,源码级别,编译级别,运行时级别
@Inherited //表示该注解可被子类继承(一定是类,枚举和接口无效)
@interface MyAnnotation {
String value() default "";//当只有一个元素时,元素名必须为value
}
class AnnotationAchieve {
public static void process(final Object object) throws Exception {
Class clazz = object.getClass();
Method[] methods = clazz.getDeclaredMethods();
for (final Method method : methods) {
MyAnnotation myAnnotation = method.getAnnotation(MyAnnotation.class);//通过反射api获取方法上面的注解,如果没有这样的注释就会返回null。
if (myAnnotation != null) {//不可去掉
method.invoke(object, myAnnotation.value());//通过反射来调用被注解修饰的方法
}
}
}
}
public class Test4 {
@MyAnnotation("你好")//使用注解
public void print(String value){
System.out.println("注解起作用啦,value = "+value);
}
public static void main(String[] args) throws Exception {
AnnotationAchieve.process(new Test4());//调用注解处理器
}
}
运行结果:
注解起作用啦,value = 你好
总结:这样的注释功能类似于间接调用函数,将复杂的过程屏蔽掉,然后绕了一圈调用函数,不知道那些框架是不是有做过优化。