ApplicationContextAware接口的使用
ApplicationContextAware接口
一、ApplicationContextAware的作用
1、ApplicationContext是什么?
很多人都知道,ApplicationContext是我们常用的IOC容器,而他的顶层接口便是BeanFactory,ApplicationContext对BeanFactory做了拓展,功能更加强大。
2、ApplicationContextAware作用
在Spring/SpringMVC中,我们拿到IOC容器无非有三种方式,那就是使用ApplicationContext接口下的三个实现类:ClassPathXmlApplicationContext、FileSystemXmlApplicationContext、AnnotationConfigApplicationContext(我的思维导图有对IOC核心容器的介绍:Spring知识点)。
SpringMVC中还好,虽然可以自动初始化容器,但是我们依旧可以通过那三个实现类获取ApplicationContext对象,但是在SpringBoot中,因为没有了ioc配置文件,全都成自动化的了,我们无法通过上述方式拿到ApplicationContext对象,但有时候遇到的需求是必须要通过Spring容器才能实现的,例如动态获取三方渠道的代理类,所以,简单地说,ApplicationContextAware接口是用来获取框架自动初始化的ioc容器对象的。
二、ApplicationContextAware如何使用
注解方式当下用的比较多,所以我就不提xml方式的了,写个类实现ApplicationContextAware接口,实现方法,再提供几个ioc容器常用方法,将这个类当工具类用,描述不如看代码:
package com.wangxs.springcloud.utils;
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.BeansException;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationContextAware;
import org.springframework.stereotype.Component;
@Component
@Slf4j
public class AppContextUtil implements ApplicationContextAware {
// 定义静态ApplicationContext
private static ApplicationContext applicationContext = null;
/**
* 重写接口的方法,该方法的参数为框架自动加载的IOC容器对象
* 该方法在启动项目的时候会自动执行,前提是该类上有IOC相关注解,例如@Component
* @param applicationContext ioc容器
* @throws BeansException e
*/
@Override
public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
// 将框架加载的ioc赋值给全局静态ioc
AppContextUtil.applicationContext = applicationContext;
log.info("==================ApplicationContext加载成功==================");
}
// 获取applicationContext
public static ApplicationContext getApplicationContext() {
return applicationContext;
}
// 通过name获取 Bean.
public static Object getBean(String name) {
return getApplicationContext().getBean(name);
}
// 通过class获取Bean.
public static <T> T getBean(Class<T> clazz) {
return getApplicationContext().getBean(clazz);
}
// 通过name,以及Clazz返回指定的Bean
public static <T> T getBean(String name, Class<T> clazz) {
return getApplicationContext().getBean(name, clazz);
}
}
三、知识点拓展
Spring中ioc容器是在我们通过上述三个类拿到ApplicationContext对象时进行初始化的,属于手动初始化,而在SpringMvc中,我们不再需要手动初始化,项目启动即加载了IOC容器,本质上是利用了JavaWeb的监听技术,ServletContextListener是对JavaWeb域对象ServletContext的监听,而ServletContext对象整个服务器仅一份且在服务器启动便加载,而SpringMvc也设定了监听ContextLoaderListener,这个类实现了ServletContextListener接口,如此一来,SpringMvc便能感知到ServletContext对象要创建了,服务器要启动了,此时该加载IOC容器了。