这里介绍诸如@Override的注解是如何实现(实例化)的以及如何在运行时修改注解的属性值?
其实注解是一个被final修饰、继承Annotation的interface。
不过既然是interface,那么就不能直接实例化,但是却可以通过getAnnotation(Class<T>)方法取得注解对象,这说明自定义或内置注解一定在某个地方有个实现类。事实上这个实现类,是JVM在运行时生成的,名称一般遵循$Proxyxxx的形式,其内部有一个名为h的handler,在这里handler的类型是AnnotationInvocationHandler,这个类的内部有三个成员变量,分别是type、memberValues和memberMethods。
type是诸如@Test注解对应的Class对象。
memberValues是一个LinkedHashmap,以k-v的形式存储注解的属性,key是属性名,如@Test里的timeout属性(不带圆括号哦)。
memberMethods一般为null。
因此,可通过反射,修改memberValues里的值,从而在运行时修改注解的属性值。样例代码如下(来自http://stackoverflow.com/questions/14268981/modify-a-class-definitions-annotation-string-parameter-at-runtime):
/**
* Changes the annotation value for the given key of the given annotation to newValue and returns
* the previous value.
*/
@SuppressWarnings("unchecked")
public static Object changeAnnotationValue(Annotation annotation, String key, Object newValue) {
Object handler = Proxy.getInvocationHandler(annotation);
Field f;
try {
f = handler.getClass().getDeclaredField("memberValues");
} catch (NoSuchFieldException | SecurityException e) {
throw new IllegalStateException(e);
}
f.setAccessible(true);
Map<String, Object> memberValues;
try {
memberValues = (Map<String, Object>) f.get(handler);
} catch (IllegalArgumentException | IllegalAccessException e) {
throw new IllegalStateException(e);
}
Object oldValue = memberValues.get(key);
if (oldValue == null || oldValue.getClass() != newValue.getClass()) {
throw new IllegalArgumentException();
}
memberValues.put(key, newValue);
return oldValue;
}