注解(又叫元数据):添加注解,类似于我们给某个类贴上某个标签,添加一个备注信息;稍后我们读取这个备注信息,并进行处理。
深入学习spring的注解之前,我们先从java中的注解学起,知道注解是怎么回事,注解是如何发挥作用的?
一、java注解学习
java中的三种注解:
下面我们以@Override注解为例进行学习:
1、@Override注解的定义
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.SOURCE)
public @interface Override {
}
我们可以看到Override注解的定义上也使用了注解,他们称为元注解(定义注解的注解)。
2、java中的四中元注解
3、使用java元注解自定义注解
/**
* @author 10273055
* @date 2020/5/11
* 自定义了一个注解 @MESSAGE, 可以被用于 方法 和 类 上,注解一直保留到运行期,可以被反射读取到
*/
@Target({ElementType.METHOD,ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
public @interface MESSAGE {
}
4、使用自定义注解
/**
* @author 10273055
* @date 2020/5/11
*/
@MESSAGE
public class Test {
}
5、读取该注解
public class Main {
public static void main(String[] args) {
Class c = Test.class;
MESSAGE annotation = (MESSAGE) c.getAnnotation(MESSAGE.class);
if (annotation == null){
System.out.println("读取不到MESSAGE注解");
}else {
System.out.println(annotation.annotationType());
}
}
}
二、Spring容器相关的注解
spring中注解的处理
spring中注解的处理基本都是通过实现接口 BeanPostProcessor 来进行的:
public interface BeanPostProcessor {
Object postProcessBeforeInitialization(Object bean, String beanName) throws BeansException;
Object postProcessAfterInitialization(Object bean, String beanName) throws BeansException;
}
相关的处理类有:
AutowiredAnnotationBeanPostProcessor,CommonAnnotationBeanPostProcessor,PersistenceAnnotationBeanPostProcessor, RequiredAnnotationBeanPostProcessor
这些处理类,可以通过 <context:annotation-config/>
配置隐式的配置进spring容器,这些都是依赖注入的处理。
还有生产bean的注解(@Component, @Controller, @Service, @Repository)的处理:
<context:component-scan base-package="com.ysy.learn" />
这些都是通过指定扫描的基包路径来进行的,将他们扫描进spring的bean容器。
注意:context:component-scan
会默认将 AutowiredAnnotationBeanPostProcessor,CommonAnnotationBeanPostProcessor 配置进来。所以<context:annotation-config/>
是可以省略的。另外context:component-scan
也可以扫描@Aspect风格的AOP注解,但是需要在配置文件中加入 <aop:aspectj-autoproxy/>
进行配合。