Spring循环依赖
·971 words·2 mins
Table of Contents
什么是循环依赖
spring在初始化bean的过程中,内部属性依赖了其他容器内部的bean,如果被依赖的bean还没有被创建,就需要先去初始化被依赖的bean,如果被依赖的bean有依赖的原有bean,就会造成循环依赖。
举个例子
如何解决循环依赖
核心原理
提前暴露对象引用,具体来讲,通过singletonObjectRegistry维护三级缓存,依次维护成品bean对象singletonObjects,半成品对象earlySingletonObjects,和工厂对象 singletonFactoryObjects(原有对象和aop对象的创建方式有所差异,具体体现在AbstractAutowireCapableBeanFactory#getEarlyBeanReference**)**
源码分析
获取单例对象
public Object getSingleton(String beanName) {
Object singletonObject = singletonObjects.get(beanName);
if (null == singletonObject){
// 从earlySingletonObjects中获取
singletonObject = earlySingletonObjects.get(beanName);
if (null == singletonObject){
ObjectFactory<?> singletonFactory = singletonFactories.get(beanName);
if (null != singletonFactory){
singletonObject = singletonFactory.getObject();
// 把三级缓存中的代理对象中的真实对象获取出来,放入二级缓存中
earlySingletonObjects.put(beanName, singletonObject);
singletonFactories.remove(beanName);
}
}
}
return singletonObject;
}
添加单例对象
protected void addSingletonFactory(String beanName, ObjectFactory<?> singletonFactory) {
if (! this.singletonObjects.containsKey(beanName)) {
this.singletonFactories.put(beanName, singletonFactory);
// 为什么要从二级缓存中移除. 应该不存在bean还没创建,但是二级缓存中已经有了的情况
this.earlySingletonObjects.remove(beanName);
}
}
添加时机
实例化bean之后, 添加工厂bean,工厂bean的处理逻辑, 如果是aop对象,工厂的getObject方法会获取代理对象,否则返回bean实例
private Object getEarlyBeanReference(String beanName, BeanDefinition beanDefinition, Object bean) {
Object exposedObject = bean;
for (BeanPostProcessor bp : getBeanPostProcessors()) {
if (bp instanceof InstantiationAwareBeanPostProcessor) {
//如果被aop代理了,返回代理对象
exposedObject = ((InstantiationAwareBeanPostProcessor) bp).getEarlyBeanReference(exposedObject, beanName);
}
}
return exposedObject;
}
为什么需要三级缓存
因为如果对象被aop代理了,对象的引用是会发送改变的。为了解决这个问题,引入了三级缓存的工厂对象缓存策略方式获取对象来解决引用变更问题。 具体代码见上述添加单例对象的过程。
总结
- 回答问题思路
- 是什么
- 怎么解决
- 底层实现
- 底层实现通过SingletonObjectRegistry维护三级缓存来解决. 成品bean对象singletonObjects,半成品对象earlySingletonObjects(主要是aop代理对象),和工厂对象 singletonFactoryObjects(原有创建对象)
- 三级缓存的工厂对象缓存策略方式获取对象解决aop代理对象导致的对象引用改变的问题
思考题
如果两个相互依赖的对象都经过了aop的操作。那还会不会存在循环依赖问题?