Java注解初探

2022-10-19  本文已影响0人  王灵

Java注解定义

注解(Annotation),也叫元数据。一种代码级别的说明。它是JDK1.5及以后版本引入的一个特性,与类、接口、枚举是在同一个层次。它可以声明在包、类、字段、方法、局部变量、方法参数等的前面,用来对这些元素进行说明,注释。

Java注解作用

1、编写文档:通过代码里标识的元数据生成文档【生成文档doc文档】
2、代码分析:通过代码里标识的元数据对代码进行分析【使用反射】
3、编译检查:通过代码里标识的元数据让编译器能够实现基本的编译检查【Override】

Java注解分类

1、内置的作用在代码的注解

Annotation组成部分

java Annotation的组成中,有3个非常重要的主干类。它们分别是:

public interface Annotation {
    /**
     * @return true if the specified object represents an annotation
     */
    boolean equals(Object obj);

    /**
     * @return the hash code of this annotation
     */
    int hashCode();

    /**
     * @return a string representation of this annotation
     */
    String toString();

    /**
     * @return the annotation type of this annotation
     */
    Class<? extends Annotation> annotationType();
}
public enum ElementType {
    /** 类、接口(包括注释类型)或枚举声明*/
    TYPE,

    /** 字段声明(包括枚举常量)*/
    FIELD,

    /** 方法声明 */
    METHOD,

    /** 正式的参数声明 */
    PARAMETER,

    /** 构造函数声明 */
    CONSTRUCTOR,

    /** 本地变量声明*/
    LOCAL_VARIABLE,

    /** 注释类型声明 */
    ANNOTATION_TYPE,

    /** 包声明 */
    PACKAGE,

    /**
     * 类型参数声明
     * @since 1.8
     */
    TYPE_PARAMETER,

    /**
     * 字体的使用
     * @since 1.8
     */
    TYPE_USE
}
public enum RetentionPolicy {
    /*注释将被编译器丢弃*/
    SOURCE,

    /**
     * 注释由编译器记录在类文件中
     * 但不需要在运行时被VM保留。这是默认设置
     */
    CLASS,

    /**
     * 注释由编译器和记录在类文件中
     * 在运行时被VM保留,因此它们可以被反射式读取。
     */
    RUNTIME
}

自定义注释

//元注释
public @interface 注释名称{
    // 属性列表
}

1、创建一个注释

@Deprecated //是否为过期方法
@Documented //标记这些注释是否包含在用户文档中
@Retention(RetentionPolicy.RUNTIME)//注释怎么保存
@Target(ElementType.METHOD)//注释用在哪里
@Inherited //注释是否可以被继承
public @interface TestAnnotation {
    String value();
}

2、创建一个使用注释的类

public class HelloAnnotationClient {
    @TestAnnotation("matthew")
    public void sayHello() {
        System.out.println("Inside sayHello method...");
    }
}

3、通过反射获取方法及注释携带的信息注意,如果要携带信息能在运行时被反射获取需要设置@Retention(RetentionPolicy.RUNTIME)

public class HelloAnnotationTest {
    public static void main(String[] args) throws NoSuchMethodException, InvocationTargetException, IllegalAccessException {
        HelloAnnotationClient helloAnnotationClient = new HelloAnnotationClient();
        Method method = helloAnnotationClient.getClass().getMethod("sayHello");
        if (method.isAnnotationPresent(TestAnnotation.class)) {
            TestAnnotation annotation = method.getAnnotation(TestAnnotation.class);
            System.out.println("Value:"+annotation.value());
            method.invoke(helloAnnotationClient);
        }
    }

}

4、运行的结果

Value:matthew
Inside sayHello method...

Process finished with exit code 0
上一篇下一篇

猜你喜欢

热点阅读