以下代码段打印出4个不同的哈希码,尽管重用了字符串常量和文字。为什么字符串值没有插入注释元素?
public class Foo {
@Retention(RetentionPolicy.RUNTIME)
@interface Bar {
String CONSTANT = "foo";
String value() default CONSTANT;
}
public static void main(String[] args) throws Exception {
System.out.println(System.identityHashCode(Bar.CONSTANT));
System.out.println(System.identityHashCode(Foo.class.getMethod("test1").getAnnotation(Bar.class).value()));
System.out.println(System.identityHashCode(Foo.class.getMethod("test2").getAnnotation(Bar.class).value()));
System.out.println(System.identityHashCode(Foo.class.getMethod("test3").getAnnotation(Bar.class).value()));
}
@Bar
public void test1() {}
@Bar("foo")
public void test2() {}
@Bar(Bar.CONSTANT)
public void test3() {}
}
答案 0 :(得分:10)
字符串文字是实习的,但注释需要解析,它们存储在字节数组中。如果您查看课程java.lang.reflect.Method
,您可以看到:
private byte[] annotations;
private byte[] parameterAnnotations;
private byte[] annotationDefault;
还要看一下同一个类的方法public Object getDefaultValue()
,看看如何调用AnnotationParser。流程一直持续到这里
AnnotationParser.parseConst并输入
case 's':
return constPool.getUTF8At(constIndex);
方法ConstantPool.getUTF8At
是本机方法的委托。您可以在此处查看代码native implementation getUFT8At。解析的常量永远不会被实现,并且永远不会从StringTable(其中字符串被实现)中检索。
我认为这可能是实施的选择。已经创建了Interning以在String literal之间进行更快速的比较,因此仅用于在方法实现中可用的实际文字。
答案 1 :(得分:4)
这是因为您在运行时访问注释并符合java spec - Example 3.10.5-1. String Literals,因此字符串是新创建的,因此是不同的。
所有文字字符串和编译时字符串值常量 表达式自动实习
在您的情况下,test1
的值将在运行时从native value()方法计算(查看AnnotationDefault attribute)。
String value() default CONSTANT;
其他情况也将在运行时计算。
当您从注释中获取值时,您必须明确地执行实习
String poolString = Foo.class.getMethod("test1").getAnnotation(Bar.class).value().intern();
System.out.println(poolString == Bar.CONSTANT);