我没有在Java中获得@Inherited
注释。如果它自动为你继承了这些方法,那么如果我需要以自己的方式实现该方法那么那么呢?
如何了解我的实施方式?
另外有人说,如果我不想使用它,而是采用老式的Java方式,我必须实现equals()
,toString()
和hashCode()
Object
类的方法以及java.lang.annotation.Annotation
类的注释类型方法。
为什么?
即使我不知道@Inherited
注释和用于工作的程序,我也从未实现过。
请有人从头开始解释我。
答案 0 :(得分:86)
只是没有误解:你确实问过java.lang.annotation.Inherited。这是注释的注释。这意味着带注释的类的子类被认为与它们的超类具有相同的注释。
考虑以下2个注释:
@Inherited
@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
public @interface InheritedAnnotationType {
}
和
@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
public @interface UninheritedAnnotationType {
}
如果有三个类注释如下:
@UninheritedAnnotationType
class A {
}
@InheritedAnnotationType
class B extends A {
}
class C extends B {
}
运行此代码
System.out.println(new A().getClass().getAnnotation(InheritedAnnotationType.class));
System.out.println(new B().getClass().getAnnotation(InheritedAnnotationType.class));
System.out.println(new C().getClass().getAnnotation(InheritedAnnotationType.class));
System.out.println("_________________________________");
System.out.println(new A().getClass().getAnnotation(UninheritedAnnotationType.class));
System.out.println(new B().getClass().getAnnotation(UninheritedAnnotationType.class));
System.out.println(new C().getClass().getAnnotation(UninheritedAnnotationType.class));
将打印与此类似的结果(取决于注释的包):
null
@InheritedAnnotationType()
@InheritedAnnotationType()
_________________________________
@UninheritedAnnotationType()
null
null
正如您所看到的,UninheritedAnnotationType
未被继承,但C
从InheritedAnnotationType
继承了注释B
。
我不知道哪些方法与此有关。