Spring相关时序图系列

Spring IOC(9)为啥要用三级缓存而非二级缓存

2021-01-04  本文已影响0人  涣涣虚心0215

Spring IOC(8)里面主要介绍了三级缓存是如何工作的,但是提出了一个问题,为什么不能用二级缓存来解决呢?
对于正常的Singleton bean,二级缓存已经够用了,但是如果涉及到AOP的时候,再出现依赖循环的时候,会有什么问题么?这就是这章需要解决的。

Spring AOP的实现

首先我们先通过XML配置简单理解一下AOP。

aop关联的术语
PointCut(切入点):定义切入点,在哪个类或者哪些方法上进行增强。
Advice(增强):早期定义为通知,表示在方法执行的什么时机(when:方法前/方法后/方法前后)做什么(what:增强)
Aspect(切面)/ Advisor(通知期):切入点PointCut+增强Advice,即什么时机,什么地点,做什么增强。
-- <aop:aspect>与<aop:advisor>作用一样,只是实现方式不同,advisor需要使用Advice提供一些接口,例如MethodBeforeAdvice。
Waving(织入):把切面Aspect应用到对象,并创建出代理对象的过程(由spring完成)。

我们定义一个Student的bean,以及跟AOP相关的切面bean: AdviceHandler。
AdviceHandler定义了一个around方式的切片,在Student的方法前后加上增强的逻辑。

<bean id="student" class="com.gary.spring.Student" />
<bean id="adviceHandler" class="com.gary.spring.AdviceHandler" />
<aop:config>
    <aop:aspect id="aspect" ref="adviceHandler">
        <aop:pointcut id="pointCut" expression="execution(* com.gary.spring.Student.*(..)) "/>
        <aop:around method="doAround"  pointcut-ref="pointCut"/>
    </aop:aspect>
    //aop:advisor等同于aop:aspect,只是AdviceHandler需要实现Advice接口
     <aop:pointcut id="pointCut" expression="execution(* com.gary.spring.Student.*(..)) "/>
    <aop:advisor advice-ref="adviceHandler" pointcut-ref="pointCut"/>
</aop:config>

ApplicationContext ac = new ClassPathXmlApplicationContext("applicationContext.xml");
Student student = (Student) ac.getBean("student");
student.sayName();

在运行测试的时候,可以直接通过ClassPathXmlApplicationContext来处理,因为ClassPathXmlApplicationContext已经将相关的BeanPostProcessor都初始化好了。
如果想使用DefaultListableBeanFactory,那么就需要手动addBeanPostProcessor,因为在loadBeanDefinition的时候,已经注册了跟AOP相关的BeanDefinition(org.springframework.aop.config.internalAutoProxyCreator),但是没有初始化相关的BeanPostProcessor。

Resource resource = new ClassPathResource("applicationContext.xml");
DefaultListableBeanFactory beanFactory = new DefaultListableBeanFactory();
//通过BeanDefinitionReader读取beanDefinition,最终加载到BeanFactory中
BeanDefinitionReader beanDefinitionReader = new XmlBeanDefinitionReader(beanFactory);
beanDefinitionReader.loadBeanDefinitions(resource);
//获取BeanPostProcessor相关的Bean Name。
String[] postProcessorNames = beanFactory.getBeanNamesForType(BeanPostProcessor.class, true, false);
//添加BeanPostProcessor
BeanPostProcessor pp = beanFactory.getBean(postProcessorNames[0], BeanPostProcessor.class);
beanFactory.addBeanPostProcessor(pp);
Student student = (Student) beanFactory.getBean("student");
student.sayName();

AOP创建Proxy对象的地方有两个:

因为测试代码是为Student对象创建了代理类,那么针对上述两种情况,是如何分别发生的呢?

if (earlySingletonExposure) {
    //再次检查二级缓存的值
    Object earlySingletonReference = getSingleton(beanName, false);
    if (earlySingletonReference != null) {
        if (exposedObject == bean) {
            //将真实对象转换成代理Proxy对象
            exposedObject = earlySingletonReference;
        }
        。。。省略代码
    }
}

所以综上所述,多一级缓存意义就是在bean循环引用过程中,发生了AOP增强,避免返回真实对象而非代理对象Proxy。

上一篇下一篇

猜你喜欢

热点阅读