java 注解
2021-03-06 20:29
标签:不同的 ati 另一个 als methods targe tar get def 存放在java源码的类、方法、字段、参数的一种特殊注释。 @Target:定义该注解标注与java那个位置,参数为一个或多个 当定义字段注解标注在方法上会发生什么:编译报错 @Retention @Documented:文档扫描 @interface : 为定义注解关键字 一般通过反射获取到注解携带的信息 根据注解的生命周期进行处理,分别: 获取ElementType.TYPE的注解: 获取ElementType.FIELD的注解: 获取ElementType.METHOD的注解: java 反射还提供了多种获取字段、注解、方法的api。 注解起一个标记的作用,配合反射来获取注解的标记信息,我们根据该标记的信息执行不同的操作,可能是一些数据的处理、事件的监听等,使用注解时要注意注解标注的访问权限。 java 注解 标签:不同的 ati 另一个 als methods targe tar get def 原文地址:https://www.cnblogs.com/Zxq-zn/p/14287065.html1、什么是注解
2、元注解
另一个重要的元注解@Retention定义了Annotation的生命周期:默认为CLASS
@Repeatable:该注解可重复标注
@Inherited:定义子类是否可以继承父类标注的注解,仅ElementTypp.TYPE有效3、自定义注解
@Target({ElementType.TYPE,ElementType.FIELD,ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface SourceTarget {
/**
* 数据源type、field、method
* @return
*/
String source() default "type";
}
4、怎么使用注解
在使用反射提供的api时注意注解标记地方的修饰符,private标记的字段用getDeclaredFields()来获取之类的。
Class cla = userDTO.getClass();
//验证是否带有SourceTarget注解,ElementTpe.TYPE
if(cla.isAnnotationPresent(SourceTarget.class)){
SourceTarget target = (SourceTarget) cla.getAnnotation(SourceTarget.class);
log.info("target:{}",target);
}
Field[] fields = cla.getDeclaredFields();//注意该方法获取到该字段的访问权限
for(Field field : fields){
if(field.isAnnotationPresent(SourceTarget.class)){
SourceTarget target = field.getAnnotation(SourceTarget.class);
log.info("Field target:{}",target.source());
}
}
Method[] methods = cla.getMethods();
//Method method1 = cla.getMethod("getKey");
for(Method method : methods){
if(method.getName().equals("getKey")){
//再一步验证
SourceTarget target = method.getAnnotation(SourceTarget.class);
log.info("Method target:{}",target.source());
}
}
5、关于注解的思考