Java 注解学习笔记,原文: Java中的注解原来是这样回事的
元注解即用来描述注解的注解。按 OO 的思想,假设注解是一个对象,那么谁来定义注解呢,那就是元注解。
一表胜千言
参数 | 说明 |
---|---|
CONSTRUCTOR | 构造器的声明 |
FIELD | 域声明(包括enum实例) |
LOCAL_VARIABLE | 局部变量声明 |
METHOD | 方法声明 |
PACKAGE | 包声明 |
PARAMETER | 参数声明 |
TYPE | 类、接口(包括注解类型)或enum声明 |
参数 | 说明 |
---|---|
SOURCE | 注解将被编译器丢弃 |
CLASS | 注解在class文件中可用,但会被JVM丢弃 |
RUNTIME | JVM将在运行期也保留注解,因此可以通过反射机制读取注解的信息 |
@Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) public @interface Test { }
在后续的使用中直接 @Test
就可以使用我们自己定义的注解了。但是因为这个注解没有实现任何功能,所它什么也不会做。
@Target({ElementType.TYPE}) @Retention(RetentionPolicy.RUNTIME) public @interface Table { String name() default ""; String catalog() default ""; String schema() default ""; UniqueConstraint[] uniqueConstraints() default {}; Index[] indexes() default {}; }
定义一个简单的注解
@Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) public @interface Person{ String name() default "I don't have name"; int age() default 21; }
应用到实体类中:
public class MyLove { @Person(name = "My name is zhy") public String zhy(){ return "zhy"; } @Person(name = "My name is xyx", age = 19) public String xyx(){ return "xyx"; } }
相应的注解处理器:
import java.lang.reflect.Method; import java.util.List; public class MyLoveTest { public static void myLoveTest(List<Integer> ages, Class<?> cl) { Method[] methods = cl.getDeclaredMethods(); for (Method method : methods) { Person person = method.getAnnotation(Person.class); if (person != null) { System.out.println("My name is " + person.name() + "and I'm " + person.age()); ages.remove(person.age()); } } for (int i : ages) { System.out.print("Missing age is " + i); } } }