当容器已经载入了BeanDefinition的信息完成了初始化,我们继续分析依赖注入的原理,需要注意的是依赖注入是用户第一次向IOC容器获取Bean的时候发生的,这里有个例外,那就是如果用户在BeanDefinition里面指定了lazy-init属性完成预实例化,那么依赖注入的过程则在初始化过程中完成。在基本的BeanFactory接口中有一个核心的getBean()方法,这里就是依赖注入发生的地方。
我们从DefaultListAbleBeanFactory的父类AbstarctBeanFactory 入手看看getBean的实现:

  1. public <T> T getBean(String name, Class<T> requiredType) throws BeansException {
  2. return doGetBean(name, requiredType, null, false);
  3. }
  4.  
  5. ---------------------------> 进入doGetBean
  6.  
  7. protected <T> T doGetBean(final String name, final Class<T> requiredType, final Object[] args, boolean typeCheckOnly)throws BeansException {
  8.  
  9. final String beanName = transformedBeanName(name);
  10. Object bean;
  11.  
  12. // 先从缓存中获取bean,处理那些已经被创建过的单例的bean,对于这种bean不需要重复创建
  13. Object sharedInstance = getSingleton(beanName);
  14. if (sharedInstance != null && args == null) {
  15. if (logger.isDebugEnabled()) {
  16. if (isSingletonCurrentlyInCreation(beanName)) {
  17. logger.debug("Returning eagerly cached instance of singleton bean '" + beanName + "' that is not fully initialized yet - a consequence of a circular reference");
  18. }
  19. else {
  20. logger.debug("Returning cached instance of singleton bean '" + beanName + "'");
  21. }
  22. }
  23. //完成FactoryBean的相关处理,以取得FactoryBean的生产结果
  24. bean = getObjectForBeanInstance(sharedInstance, name, beanName, null);
  25. }
  26.  
  27. else {
  28. // Fail if we're already creating this bean instance:
  29. // We're assumably within a circular reference.
  30. if (isPrototypeCurrentlyInCreation(beanName)) {
  31. throw new BeanCurrentlyInCreationException(beanName);
  32. }
  33.  
  34. // 检查beandefinition是否存在,如果不存在就去父类的BeanFactory中寻找,找不到就沿着双亲BeanFactory一直向上找
  35. BeanFactory parentBeanFactory = getParentBeanFactory();
  36. if (parentBeanFactory != null && !containsBeanDefinition(beanName)) {
  37. // Not found -> check parent.
  38. String nameToLookup = originalBeanName(name);
  39. if (args != null) {
  40. // Delegation to parent with explicit args.
  41. return (T) parentBeanFactory.getBean(nameToLookup, args);
  42. }
  43. else {
  44. // No args -> delegate to standard getBean method.
  45. return parentBeanFactory.getBean(nameToLookup, requiredType);
  46. }
  47. }
  48.  
  49. if (!typeCheckOnly) {
  50. markBeanAsCreated(beanName);
  51. }
  52. //根据bean的名字获取BeanDefinition
  53. final RootBeanDefinition mbd = getMergedLocalBeanDefinition(beanName);
  54. checkMergedBeanDefinition(mbd, beanName, args);
  55.  
  56. // 获取当前bean的所有依赖bean,触发getBean的递归调用,直到取得一个没有任何依赖的bean
  57. String[] dependsOn = mbd.getDependsOn();
  58. if (dependsOn != null) {
  59. for (String dependsOnBean : dependsOn) {
  60. getBean(dependsOnBean);
  61. registerDependentBean(dependsOnBean, beanName);
  62. }
  63. }
  64.  
  65. // 创建单例模式的bean的实例,这里有一个回调函数getObject(),会在getSingleton中调用ObjectBean的createBean()
  66. if (mbd.isSingleton()) {
  67. sharedInstance = getSingleton(beanName, new ObjectFactory() {
  68. public Object getObject() throws BeansException {
  69. try {
  70. return createBean(beanName, mbd, args);
  71. }
  72. catch (BeansException ex) {
  73. // Explicitly remove instance from singleton cache: It might have been put there
  74. // eagerly by the creation process, to allow for circular reference resolution.
  75. // Also remove any beans that received a temporary reference to the bean.
  76. destroySingleton(beanName);
  77. throw ex;
  78. }
  79. }
  80. });
  81. bean = getObjectForBeanInstance(sharedInstance, name, beanName, mbd);
  82. }
  83. //创建prototype类型的bean实例
  84. else if (mbd.isPrototype()) {
  85. // It's a prototype -> create a new instance.
  86. Object prototypeInstance = null;
  87. try {
  88. beforePrototypeCreation(beanName);
  89. prototypeInstance = createBean(beanName, mbd, args);
  90. }
  91. finally {
  92. afterPrototypeCreation(beanName);
  93. }
  94. bean = getObjectForBeanInstance(prototypeInstance, name, beanName, mbd);
  95. }
  96.  
  97. else {
  98. String scopeName = mbd.getScope();
  99. final Scope scope = this.scopes.get(scopeName);
  100. if (scope == null) {
  101. throw new IllegalStateException("No Scope registered for scope '" + scopeName + "'");
  102. }
  103. try {
  104. Object scopedInstance = scope.get(beanName, new ObjectFactory() {
  105. public Object getObject() throws BeansException {
  106. beforePrototypeCreation(beanName);
  107. try {
  108. return createBean(beanName, mbd, args);
  109. }
  110. finally {
  111. afterPrototypeCreation(beanName);
  112. }
  113. }
  114. });
  115. bean = getObjectForBeanInstance(scopedInstance, name, beanName, mbd);
  116. }
  117. catch (IllegalStateException ex) {
  118. throw new BeanCreationException(beanName,"Scope '" + scopeName + "' is not active for the current thread; " + "consider defining a scoped proxy for this bean if you intend to refer to it from a singleton",
  119. ex);
  120. }
  121. }
  122. }
  123.  
  124. // 对创建的bean进行类型检查,如果没问题就返回刚刚创建的bean,这里返回的bean已经是包含了依赖关系的bean
  125. if (requiredType != null && bean != null && !requiredType.isAssignableFrom(bean.getClass())) {
  126. throw new BeanNotOfRequiredTypeException(name, requiredType, bean.getClass());
  127. }
  128. return (T) bean;
  129. }

  

我们详细的看下依赖注入的过程,getBean是依赖注入的起点,之后会调用AbstartcAutoWireCapableBeanFactory类的createBean()方法。

  1. protected Object createBean(final String beanName, final RootBeanDefinition mbd, final Object[] args)throws BeanCreationException {
  2.  
  3. if (logger.isDebugEnabled()) {
  4. logger.debug("Creating instance of bean '" + beanName + "'");
  5. }
  6. // 判断需要创建的bean是否可实例化,这个类是否可以通过类加载器加载
  7. resolveBeanClass(mbd, beanName);
  8.  
  9. // Prepare method overrides.
  10. try {
  11. mbd.prepareMethodOverrides();
  12. }
  13. catch (BeanDefinitionValidationException ex) {
  14. throw new BeanDefinitionStoreException(mbd.getResourceDescription(), beanName, "Validation of method overrides failed", ex);
  15. }
  16.  
  17. try {
  18. // Give BeanPostProcessors a chance to return a proxy instead of the target bean instance.
    //如果bean配置了postProcessor,那么这里返回的是一个目标bean的代理实例
  19. Object bean = resolveBeforeInstantiation(beanName, mbd);
  20. if (bean != null) {
  21. return bean;
  22. }
  23. }
  24. catch (Throwable ex) {
  25. throw new BeanCreationException(mbd.getResourceDescription(), beanName, "BeanPostProcessor before instantiation of bean failed", ex);
  26. }
  27. //创建bean
  28. Object beanInstance = doCreateBean(beanName, mbd, args);
  29. if (logger.isDebugEnabled()) {
  30. logger.debug("Finished creating instance of bean '" + beanName + "'");
  31. }
  32. return beanInstance;
  33. }
  34.  
  35. --------------------->接着看下doCreateBean()如何生成bean的:
  36.  
  37. protected Object doCreateBean(final String beanName, final RootBeanDefinition mbd, final Object[] args) {
  38. // beanWrapper包装创建出来的bean
  39. BeanWrapper instanceWrapper = null;
  40. //如果是singleton,先清除缓存中的bean
  41. if (mbd.isSingleton()) {
  42. instanceWrapper = this.factoryBeanInstanceCache.remove(beanName);
  43. }
  44. //创建bean的实例
  45. if (instanceWrapper == null) {
  46. instanceWrapper = createBeanInstance(beanName, mbd, args);
  47. }
  48. final Object bean = (instanceWrapper != null ? instanceWrapper.getWrappedInstance() : null);
  49. Class beanType = (instanceWrapper != null ? instanceWrapper.getWrappedClass() : null);
  50.  
  51. // Allow post-processors to modify the merged bean definition.
  52. synchronized (mbd.postProcessingLock) {
  53. if (!mbd.postProcessed) {
  54. applyMergedBeanDefinitionPostProcessors(mbd, beanType, beanName);
  55. mbd.postProcessed = true;
  56. }
  57. }
  58.  
  59. // Eagerly cache singletons to be able to resolve circular references
  60. // even when triggered by lifecycle interfaces like BeanFactoryAware.
  61. boolean earlySingletonExposure = (mbd.isSingleton() && this.allowCircularReferences && isSingletonCurrentlyInCreation(beanName));
  62. if (earlySingletonExposure) {
  63. if (logger.isDebugEnabled()) {
  64. logger.debug("Eagerly caching bean '" + beanName + "' to allow for resolving potential circular references");
  65. }
  66. addSingletonFactory(beanName, new ObjectFactory() {
  67. public Object getObject() throws BeansException {
  68. return getEarlyBeanReference(beanName, mbd, bean);
  69. }
  70. });
  71. }
  72.  
  73. // 这里是对bean的初始化,依赖注入往往在这里发生,这个exposedObject 在初始化处理完后会返回作为依赖注入到完成后的bean
  74. Object exposedObject = bean;
  75. try {
  76. populateBean(beanName, mbd, instanceWrapper);
  77. if (exposedObject != null) {
  78. exposedObject = initializeBean(beanName, exposedObject, mbd);
  79. }
  80. }
  81. catch (Throwable ex) {
  82. if (ex instanceof BeanCreationException && beanName.equals(((BeanCreationException) ex).getBeanName())) {
  83. throw (BeanCreationException) ex;
  84. }
  85. else {
  86. throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Initialization of bean failed", ex);
  87. }
  88. }
  89.  
  90. if (earlySingletonExposure) {
  91. Object earlySingletonReference = getSingleton(beanName, false);
  92. if (earlySingletonReference != null) {
  93. if (exposedObject == bean) {
  94. exposedObject = earlySingletonReference;
  95. }
  96. else if (!this.allowRawInjectionDespiteWrapping && hasDependentBean(beanName)) {
  97. String[] dependentBeans = getDependentBeans(beanName);
  98. Set<String> actualDependentBeans = new LinkedHashSet<String>(dependentBeans.length);
  99. for (String dependentBean : dependentBeans) {
  100. if (!removeSingletonIfCreatedForTypeCheckOnly(dependentBean)) {
  101. actualDependentBeans.add(dependentBean);
  102. }
  103. }
  104. if (!actualDependentBeans.isEmpty()) {
  105. throw new BeanCurrentlyInCreationException(beanName,
  106. "Bean with name '" + beanName + "' has been injected into other beans [" +
  107. StringUtils.collectionToCommaDelimitedString(actualDependentBeans) +
  108. "] in its raw version as part of a circular reference, but has eventually been " +
  109. "wrapped. This means that said other beans do not use the final version of the " +
  110. "bean. This is often the result of over-eager type matching - consider using " +
  111. "'getBeanNamesOfType' with the 'allowEagerInit' flag turned off, for example.");
  112. }
  113. }
  114. }
  115. }
  116.  
  117. // Register bean as disposable.
  118. try {
  119. registerDisposableBeanIfNecessary(beanName, bean, mbd);
  120. }
  121. catch (BeanDefinitionValidationException ex) {
  122. throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Invalid destruction signature", ex);
  123. }
  124.  
  125. return exposedObject;
  126. }

这里我么可以看到与依赖注入密切相关的方法有createBeanInstance和populateBean。在createBeanInstance方法中生成了bean所包含的java对象,这个对象的生成有多种方式,可以通过工厂方法生成,也可以通过autowire特性生成,这些生成方式都是由BeanDefinition指定的,

  1. protected BeanWrapper createBeanInstance(String beanName, RootBeanDefinition mbd, Object[] args) {
  2. // 确保需创建的bean的类已经解析
  3. Class beanClass = resolveBeanClass(mbd, beanName);
  4.  
  5. if (beanClass != null && !Modifier.isPublic(beanClass.getModifiers()) && !mbd.isNonPublicAccessAllowed()) {
  6. throw new BeanCreationException(mbd.getResourceDescription(), beanName,
  7. "Bean class isn't public, and non-public access not allowed: " + beanClass.getName());
  8. }
  9. //使用工厂方法实例化bean
  10. if (mbd.getFactoryMethodName() != null) {
  11. return instantiateUsingFactoryMethod(beanName, mbd, args);
  12. }
  13.  
  14. // Shortcut when re-creating the same bean...
  15. boolean resolved = false;
  16. boolean autowireNecessary = false;
  17. if (args == null) {
  18. synchronized (mbd.constructorArgumentLock) {
  19. if (mbd.resolvedConstructorOrFactoryMethod != null) {
  20. resolved = true;
  21. autowireNecessary = mbd.constructorArgumentsResolved;
  22. }
  23. }
  24. }
  25. if (resolved) {
  26. if (autowireNecessary) {
  27. return autowireConstructor(beanName, mbd, null, null);
  28. }
  29. else {
  30. return instantiateBean(beanName, mbd);
  31. }
  32. }
  33.  
  34. // 使用构造函数实例化...
  35. Constructor[] ctors = determineConstructorsFromBeanPostProcessors(beanClass, beanName);
  36. if (ctors != null ||
  37. mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_CONSTRUCTOR ||
  38. mbd.hasConstructorArgumentValues() || !ObjectUtils.isEmpty(args)) {
  39. return autowireConstructor(beanName, mbd, ctors, args);
  40. }
  41.  
  42. // 使用默认的构造函数实例化bean
  43. return instantiateBean(beanName, mbd);
  44. }
  45.  
  46. -----------------------------------> 进入instantiateBean方法
  47.  
  48. protected BeanWrapper instantiateBean(final String beanName, final RootBeanDefinition mbd) {
  49. try {
  50. Object beanInstance;
  51. final BeanFactory parent = this;
  52. if (System.getSecurityManager() != null) {
  53. beanInstance = AccessController.doPrivileged(new PrivilegedAction<Object>() {
  54. public Object run() {
  55. return getInstantiationStrategy().instantiate(mbd, beanName, parent);
  56. }
  57. }, getAccessControlContext());
  58. }
  59. else {
  60. //使用默认的实例化策略对bean实例化,默认策略是CGLIB实例化
  61. beanInstance = getInstantiationStrategy().instantiate(mbd, beanName, parent);
  62. }
  63. BeanWrapper bw = new BeanWrapperImpl(beanInstance);
  64. initBeanWrapper(bw);
  65. return bw;
  66. }
  67. catch (Throwable ex) {
  68. throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Instantiation of bean failed", ex);
  69. }
  70. }

上面的代码使用SimpleInstantiationStrategy类的instantiate()方法实例化bean,SimpleInstantiationStrategy是Spring生成Bean对象的默认类,这个类提供了两种实现对象实例化的方法,一种是BeanUtis,它使用了JVM的反射功能,另一种通过CGLIB实现:

  1. public Object instantiate(RootBeanDefinition beanDefinition, String beanName, BeanFactory owner) {
  2. // Don't override the class with CGLIB if no overrides.
  3. if (beanDefinition.getMethodOverrides().isEmpty()) {
  4. //取得指定的构造方法或者生成对象的工厂方法来对bean实例化
  5. Constructor<?> constructorToUse;
  6. synchronized (beanDefinition.constructorArgumentLock) {
  7. constructorToUse = (Constructor<?>) beanDefinition.resolvedConstructorOrFactoryMethod;
  8. if (constructorToUse == null) {
  9. final Class clazz = beanDefinition.getBeanClass();
  10. if (clazz.isInterface()) {
  11. throw new BeanInstantiationException(clazz, "Specified class is an interface");
  12. }
  13. try {
  14. if (System.getSecurityManager() != null) {
  15. constructorToUse = AccessController.doPrivileged(new PrivilegedExceptionAction<Constructor>() {
  16. public Constructor run() throws Exception {
  17. return clazz.getDeclaredConstructor((Class[]) null);
  18. }
  19. });
  20. }
  21. else {
  22. constructorToUse = clazz.getDeclaredConstructor((Class[]) null);
  23. }
  24. beanDefinition.resolvedConstructorOrFactoryMethod = constructorToUse;
  25. }
  26. catch (Exception ex) {
  27. throw new BeanInstantiationException(clazz, "No default constructor found", ex);
  28. }
  29. }
  30. }
  31. //使用beanUtils实例化
  32. return BeanUtils.instantiateClass(constructorToUse);
  33. }
  34. else {
  35. // 使用CGLIB实例化
  36. return instantiateWithMethodInjection(beanDefinition, beanName, owner);
  37. }
  38. }

我们的测试代码是使用BeanUtils完成的bean实例化,BeanUtils里面就是使用了JVM的反射调用构造方法实例化的bean。具体的bean的实例化过程到这里已经完成了。下面我们再看下Spring是怎么设置这些对象的依赖关系的。这个过程涉及对各种bean属性的处理,现在我们回到之前的另一个重要的方法populateBean。

  1. protected void populateBean(String beanName, AbstractBeanDefinition mbd, BeanWrapper bw) {
  2. //取得BeanDefinition设置的property
  3. PropertyValues pvs = mbd.getPropertyValues();
  4.  
  5. if (bw == null) {
  6. if (!pvs.isEmpty()) {
  7. throw new BeanCreationException(
  8. mbd.getResourceDescription(), beanName, "Cannot apply property values to null instance");
  9. }
  10. else {
  11. // Skip property population phase for null instance.
  12. return;
  13. }
  14. }
  15.  
  16. // Give any InstantiationAwareBeanPostProcessors the opportunity to modify the
  17. // state of the bean before properties are set. This can be used, for example,
  18. // to support styles of field injection.
  19. boolean continueWithPropertyPopulation = true;
  20.  
  21. if (!mbd.isSynthetic() && hasInstantiationAwareBeanPostProcessors()) {
  22. for (BeanPostProcessor bp : getBeanPostProcessors()) {
  23. if (bp instanceof InstantiationAwareBeanPostProcessor) {
  24. InstantiationAwareBeanPostProcessor ibp = (InstantiationAwareBeanPostProcessor) bp;
  25. if (!ibp.postProcessAfterInstantiation(bw.getWrappedInstance(), beanName)) {
  26. continueWithPropertyPopulation = false;
  27. break;
  28. }
  29. }
  30. }
  31. }
  32.  
  33. if (!continueWithPropertyPopulation) {
  34. return;
  35. }
  36. //开始依赖注入,先处理autowire的注入
  37. if (mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_NAME ||
  38. mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_TYPE) {
  39. MutablePropertyValues newPvs = new MutablePropertyValues(pvs);
  40.  
  41. // 根据名字注入
  42. if (mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_NAME) {
  43. autowireByName(beanName, mbd, bw, newPvs);
  44. }
  45.  
  46. // 根据类型注入
  47. if (mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_TYPE) {
  48. autowireByType(beanName, mbd, bw, newPvs);
  49. }
  50.  
  51. pvs = newPvs;
  52. }
  53.  
  54. boolean hasInstAwareBpps = hasInstantiationAwareBeanPostProcessors();
  55. boolean needsDepCheck = (mbd.getDependencyCheck() != RootBeanDefinition.DEPENDENCY_CHECK_NONE);
  56.  
  57. if (hasInstAwareBpps || needsDepCheck) {
  58. PropertyDescriptor[] filteredPds = filterPropertyDescriptorsForDependencyCheck(bw);
  59. if (hasInstAwareBpps) {
  60. for (BeanPostProcessor bp : getBeanPostProcessors()) {
  61. if (bp instanceof InstantiationAwareBeanPostProcessor) {
  62. InstantiationAwareBeanPostProcessor ibp = (InstantiationAwareBeanPostProcessor) bp;
  63. pvs = ibp.postProcessPropertyValues(pvs, filteredPds, bw.getWrappedInstance(), beanName);
  64. if (pvs == null) {
  65. return;
  66. }
  67. }
  68. }
  69. }
  70. if (needsDepCheck) {
  71. checkDependencies(beanName, mbd, filteredPds, pvs);
  72. }
  73. }
  74. //对属性进行注入
  75. applyPropertyValues(beanName, mbd, bw, pvs);
  76. }

具体的属性注入过程:

  1. protected void applyPropertyValues(String beanName, BeanDefinition mbd, BeanWrapper bw, PropertyValues pvs) {
  2. if (pvs == null || pvs.isEmpty()) {
  3. return;
  4. }
  5.  
  6. MutablePropertyValues mpvs = null;
  7. List<PropertyValue> original;
  8.  
  9. if (System.getSecurityManager()!= null) {
  10. if (bw instanceof BeanWrapperImpl) {
  11. ((BeanWrapperImpl) bw).setSecurityContext(getAccessControlContext());
  12. }
  13. }
  14.  
  15. if (pvs instanceof MutablePropertyValues) {
  16. mpvs = (MutablePropertyValues) pvs;
  17. if (mpvs.isConverted()) {
  18. // Shortcut: use the pre-converted values as-is.
  19. try {
  20. bw.setPropertyValues(mpvs);
  21. return;
  22. }
  23. catch (BeansException ex) {
  24. throw new BeanCreationException( mbd.getResourceDescription(), beanName, "Error setting property values", ex);
  25. }
  26. }
  27. original = mpvs.getPropertyValueList();
  28. }
  29. else {
  30. original = Arrays.asList(pvs.getPropertyValues());
  31. }
  32.  
  33. TypeConverter converter = getCustomTypeConverter();
  34. if (converter == null) {
  35. converter = bw;
  36. }
  37. //创建BeanDefinitionResolver解析BeanDefinition
  38. BeanDefinitionValueResolver valueResolver = new BeanDefinitionValueResolver(this, beanName, mbd, converter);
  39.  
  40. //为解析值创建一个副本,副本的数据将会注入到bean中
  41. List<PropertyValue> deepCopy = new ArrayList<PropertyValue>(original.size());
  42. boolean resolveNecessary = false;
  43. for (PropertyValue pv : original) {
  44. if (pv.isConverted()) {
  45. deepCopy.add(pv);
  46. }
  47. else {
  48. String propertyName = pv.getName();
  49. Object originalValue = pv.getValue();
  50. Object resolvedValue = valueResolver.resolveValueIfNecessary(pv, originalValue);
  51. Object convertedValue = resolvedValue;
  52. boolean convertible = bw.isWritableProperty(propertyName) && !PropertyAccessorUtils.isNestedOrIndexedProperty(propertyName);
  53. if (convertible) {
  54. convertedValue = convertForProperty(resolvedValue, propertyName, bw, converter);
  55. }
  56. // Possibly store converted value in merged bean definition,
  57. // in order to avoid re-conversion for every created bean instance.
  58. if (resolvedValue == originalValue) {
  59. if (convertible) {
  60. pv.setConvertedValue(convertedValue);
  61. }
  62. deepCopy.add(pv);
  63. }
  64. else if (convertible && originalValue instanceof TypedStringValue && !((TypedStringValue) originalValue).isDynamic() && !(convertedValue instanceof Collection || ObjectUtils.isArray(convertedValue))) {
  65. pv.setConvertedValue(convertedValue);
  66. deepCopy.add(pv);
  67. }
  68. else {
  69. resolveNecessary = true;
  70. deepCopy.add(new PropertyValue(pv, convertedValue));
  71. }
  72. }
  73. }
  74. if (mpvs != null && !resolveNecessary) {
  75. mpvs.setConverted();
  76. }
  77.  
  78. // 依赖注入发生的地方,会在BeanWrapperImpl中完成
  79. try {
  80. bw.setPropertyValues(new MutablePropertyValues(deepCopy));
  81. }
  82. catch (BeansException ex) {
  83. throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Error setting property values", ex);
  84. }
  85. }

看一下BeanDefinitionResolver如何解析BeanDefinition的,以对Reference的解析为例,对RuntimeBeanReference类型的注入在resolveReference中,:

  1. private Object resolveReference(Object argName, RuntimeBeanReference ref) {
  2. try {
  3. //从runtimeReference中取得ref的名字,这个runtimeReference是在载入的过程中根据配置生成的
  4. String refName = ref.getBeanName();
  5. refName = String.valueOf(evaluate(refName));
  6. //如果ref在父类就去父类获取
  7. if (ref.isToParent()) {
  8. if (this.beanFactory.getParentBeanFactory() == null) {
  9. throw new BeanCreationException(
  10. this.beanDefinition.getResourceDescription(), this.beanName,
  11. "Can't resolve reference to bean '" + refName +
  12. "' in parent factory: no parent factory available");
  13. }
  14. return this.beanFactory.getParentBeanFactory().getBean(refName);
  15. }
  16. //在当前容器获取bean,触发getBean,如果依赖注入没发生,这里会触发响应的依赖注入发生
  17. else {
  18. Object bean = this.beanFactory.getBean(refName);
  19. this.beanFactory.registerDependentBean(refName, this.beanName);
  20. return bean;
  21. }
  22. }
  23. catch (BeansException ex) {
  24. throw new BeanCreationException(
  25. this.beanDefinition.getResourceDescription(), this.beanName,
  26. "Cannot resolve reference to bean '" + ref.getBeanName() + "' while setting " + argName, ex);
  27. }
  28. }

再看下其他类型的属性注入,比如List

  1. private List resolveManagedList(Object argName, List<?> ml) {
  2. List<Object> resolved = new ArrayList<Object>(ml.size());
  3. for (int i = 0; i < ml.size(); i++) {
  4. resolved.add(
  5. resolveValueIfNecessary(new KeyedArgName(argName, i), ml.get(i)));
  6. }
  7. return resolved;
  8. }
  9.  
  10. ---------------------------> 进入resolveValueIfNecessary方法
  11.  
  12. public Object resolveValueIfNecessary(Object argName, Object value) {
  13. // We must check each value to see whether it requires a runtime reference
  14. // to another bean to be resolved.
  15. if (value instanceof RuntimeBeanReference) {
  16. RuntimeBeanReference ref = (RuntimeBeanReference) value;
  17. return resolveReference(argName, ref);
  18. }
  19. else if (value instanceof RuntimeBeanNameReference) {
  20. String refName = ((RuntimeBeanNameReference) value).getBeanName();
  21. refName = String.valueOf(evaluate(refName));
  22. if (!this.beanFactory.containsBean(refName)) {
  23. throw new BeanDefinitionStoreException(
  24. "Invalid bean name '" + refName + "' in bean reference for " + argName);
  25. }
  26. return refName;
  27. }
  28. else if (value instanceof BeanDefinitionHolder) {
  29. // Resolve BeanDefinitionHolder: contains BeanDefinition with name and aliases.
  30. BeanDefinitionHolder bdHolder = (BeanDefinitionHolder) value;
  31. return resolveInnerBean(argName, bdHolder.getBeanName(), bdHolder.getBeanDefinition());
  32. }
  33. else if (value instanceof BeanDefinition) {
  34. // Resolve plain BeanDefinition, without contained name: use dummy name.
  35. BeanDefinition bd = (BeanDefinition) value;
  36. return resolveInnerBean(argName, "(inner bean)", bd);
  37. }
  38. //对Array进行解析
  39. else if (value instanceof ManagedArray) {
  40. // May need to resolve contained runtime references.
  41. ManagedArray array = (ManagedArray) value;
  42. Class elementType = array.resolvedElementType;
  43. if (elementType == null) {
  44. String elementTypeName = array.getElementTypeName();
  45. if (StringUtils.hasText(elementTypeName)) {
  46. try {
  47. elementType = ClassUtils.forName(elementTypeName, this.beanFactory.getBeanClassLoader());
  48. array.resolvedElementType = elementType;
  49. }
  50. catch (Throwable ex) {
  51. // Improve the message by showing the context.
  52. throw new BeanCreationException(
  53. this.beanDefinition.getResourceDescription(), this.beanName,
  54. "Error resolving array type for " + argName, ex);
  55. }
  56. }
  57. else {
  58. elementType = Object.class;
  59. }
  60. }
  61. return resolveManagedArray(argName, (List<?>) value, elementType);
  62. }
  63. //对List进行解析
  64. else if (value instanceof ManagedList) {
  65. // May need to resolve contained runtime references.
  66. return resolveManagedList(argName, (List<?>) value);
  67. }
  68. //对Set进行解析
  69. else if (value instanceof ManagedSet) {
  70. // May need to resolve contained runtime references.
  71. return resolveManagedSet(argName, (Set<?>) value);
  72. }
  73. //对Map进行解析
  74. else if (value instanceof ManagedMap) {
  75. // May need to resolve contained runtime references.
  76. return resolveManagedMap(argName, (Map<?, ?>) value);
  77. }
  78. //对Properties进行解析
  79. else if (value instanceof ManagedProperties) {
  80. Properties original = (Properties) value;
  81. Properties copy = new Properties();
  82. for (Map.Entry propEntry : original.entrySet()) {
  83. Object propKey = propEntry.getKey();
  84. Object propValue = propEntry.getValue();
  85. if (propKey instanceof TypedStringValue) {
  86. propKey = evaluate((TypedStringValue) propKey);
  87. }
  88. if (propValue instanceof TypedStringValue) {
  89. propValue = evaluate((TypedStringValue) propValue);
  90. }
  91. copy.put(propKey, propValue);
  92. }
  93. return copy;
  94. }
  95. else if (value instanceof TypedStringValue) {
  96. // Convert value to target type here.
  97. TypedStringValue typedStringValue = (TypedStringValue) value;
  98. Object valueObject = evaluate(typedStringValue);
  99. try {
  100. Class<?> resolvedTargetType = resolveTargetType(typedStringValue);
  101. if (resolvedTargetType != null) {
  102. return this.typeConverter.convertIfNecessary(valueObject, resolvedTargetType);
  103. }
  104. else {
  105. return valueObject;
  106. }
  107. }
  108. catch (Throwable ex) {
  109. // Improve the message by showing the context.
  110. throw new BeanCreationException(
  111. this.beanDefinition.getResourceDescription(), this.beanName,
  112. "Error converting typed String value for " + argName, ex);
  113. }
  114. }
  115. else {
  116. return evaluate(value);
  117. }
  118. }

完成这个解析过程后,已经为bean的依赖注入准备好了条件,这里是真正把bean对象设置到它所依赖的另一个对象中去的地方,其中属性的处理也是各种各样的,依赖注入的发生是在BeanWrapper的setPropertyValue中,具体的完成确是在BeanWrapper的子类BeanWrapperImpl中,代码如下:

  1. private void setPropertyValue(PropertyTokenHolder tokens, PropertyValue pv) throws BeansException {
  2. String propertyName = tokens.canonicalName;
  3. String actualName = tokens.actualName;
  4.  
  5. if (tokens.keys != null) {
  6. // 设置tokens的索引和keys
  7. PropertyTokenHolder getterTokens = new PropertyTokenHolder();
  8. getterTokens.canonicalName = tokens.canonicalName;
  9. getterTokens.actualName = tokens.actualName;
  10. getterTokens.keys = new String[tokens.keys.length - 1];
  11. System.arraycopy(tokens.keys, 0, getterTokens.keys, 0, tokens.keys.length - 1);
  12. Object propValue;
  13. try {
  14. //取得bean中对注入对象的引用,比如Array,List,Set,Map等
  15. propValue = getPropertyValue(getterTokens);
  16. }
  17. catch (NotReadablePropertyException ex) {
  18. throw new NotWritablePropertyException(getRootClass(), this.nestedPath + propertyName,"Cannot access indexed value in property referenced " +"in indexed property path '" + propertyName + "'", ex);
  19. }
  20. // Set value for last key.
  21. String key = tokens.keys[tokens.keys.length - 1];
  22. if (propValue == null) {
  23. throw new NullValueInNestedPathException(getRootClass(), this.nestedPath + propertyName, "Cannot access indexed value in property referenced " + "in indexed property path '" + propertyName + "': returned null");
  24. }
  25. //对Array进行注入
  26. else if (propValue.getClass().isArray()) {
  27. PropertyDescriptor pd = getCachedIntrospectionResults().getPropertyDescriptor(actualName);
  28. Class requiredType = propValue.getClass().getComponentType();
  29. int arrayIndex = Integer.parseInt(key);
  30. Object oldValue = null;
  31. try {
  32. if (isExtractOldValueForEditor()) {
  33. oldValue = Array.get(propValue, arrayIndex);
  34. }
  35. Object convertedValue = convertIfNecessary(propertyName, oldValue, pv.getValue(), requiredType, new PropertyTypeDescriptor(pd, new MethodParameter(pd.getReadMethod(), -1), requiredType));
  36. Array.set(propValue, arrayIndex, convertedValue);
  37. }
  38. catch (IndexOutOfBoundsException ex) {
  39. throw new InvalidPropertyException(getRootClass(), this.nestedPath + propertyName,"Invalid array index in property path '" + propertyName + "'", ex);
  40. }
  41. }
  42. //对List进行注入
  43. else if (propValue instanceof List) {
  44. PropertyDescriptor pd = getCachedIntrospectionResults().getPropertyDescriptor(actualName);
  45. Class requiredType = GenericCollectionTypeResolver.getCollectionReturnType(pd.getReadMethod(), tokens.keys.length);
  46. List list = (List) propValue;
  47. int index = Integer.parseInt(key);
  48. Object oldValue = null;
  49. if (isExtractOldValueForEditor() && index < list.size()) {
  50. oldValue = list.get(index);
  51. }
  52. Object convertedValue = convertIfNecessary(propertyName, oldValue, pv.getValue(), requiredType, new PropertyTypeDescriptor(pd, new MethodParameter(pd.getReadMethod(), -1), requiredType));
  53. if (index < list.size()) {
  54. list.set(index, convertedValue);
  55. }
  56. else if (index >= list.size()) {
  57. for (int i = list.size(); i < index; i++) {
  58. try {
  59. list.add(null);
  60. }
  61. catch (NullPointerException ex) {
  62. throw new InvalidPropertyException(getRootClass(), this.nestedPath + propertyName,"Cannot set element with index " + index + " in List of size " +list.size() + ", accessed using property path '" + propertyName + "': List does not support filling up gaps with null elements");
  63. }
  64. }
  65. list.add(convertedValue);
  66. }
  67. }
  68. //对Map进行注入
  69. else if (propValue instanceof Map) {
  70. PropertyDescriptor pd = getCachedIntrospectionResults().getPropertyDescriptor(actualName);
  71. Class mapKeyType = GenericCollectionTypeResolver.getMapKeyReturnType(pd.getReadMethod(), tokens.keys.length);
  72. Class mapValueType = GenericCollectionTypeResolver.getMapValueReturnType(pd.getReadMethod(), tokens.keys.length);
  73. Map map = (Map) propValue;
  74. // IMPORTANT: Do not pass full property name in here - property editors
  75. // must not kick in for map keys but rather only for map values.
  76. Object convertedMapKey = convertIfNecessary(null, null, key, mapKeyType,new PropertyTypeDescriptor(pd, new MethodParameter(pd.getReadMethod(), -1), mapKeyType));
  77. Object oldValue = null;
  78. if (isExtractOldValueForEditor()) {
  79. oldValue = map.get(convertedMapKey);
  80. }
  81. // Pass full property name and old value in here, since we want full
  82. // conversion ability for map values.
  83. Object convertedMapValue = convertIfNecessary(popertyName, oldValue, pv.getValue(), mapValueType,new TypeDescriptor(new MethodParameter(pd.getReadMethod(), -1, tokens.keys.length + 1)));
  84. map.put(convertedMapKey, convertedMapValue);
  85. }
  86. else {
  87. throw new InvalidPropertyException(getRootClass(), this.nestedPath + propertyName,"Property referenced in indexed property path '" + propertyName +"' is neither an array nor a List nor a Map; returned value was [" + pv.getValue() + "]");
  88. }
  89. }
  90. //对非集合类的变量进行注入
  91. else {
  92. PropertyDescriptor pd = pv.resolvedDescriptor;
  93. if (pd == null || !pd.getWriteMethod().getDeclaringClass().isInstance(this.object)) {
  94. pd = getCachedIntrospectionResults().getPropertyDescriptor(actualName);
  95. if (pd == null || pd.getWriteMethod() == null) {
  96. if (pv.isOptional()) {
  97. logger.debug("Ignoring optional value for property '" + actualName + "' - property not found on bean class [" + getRootClass().getName() + "]");
  98. return;
  99. }
  100. else {
  101. PropertyMatches matches = PropertyMatches.forProperty(propertyName, getRootClass());
  102. throw new NotWritablePropertyException(getRootClass(), this.nestedPath + propertyName,matches.buildErrorMessage(), matches.getPossibleMatches());
  103. }
  104. }
  105. pv.getOriginalPropertyValue().resolvedDescriptor = pd;
  106. }
  107.  
  108. Object oldValue = null;
  109. try {
  110. Object originalValue = pv.getValue();
  111. Object valueToApply = originalValue;
  112. if (!Boolean.FALSE.equals(pv.conversionNecessary)) {
  113. if (pv.isConverted()) {
  114. valueToApply = pv.getConvertedValue();
  115. }
  116. else {
  117. if (isExtractOldValueForEditor() && pd.getReadMethod() != null) {
  118. final Method readMethod = pd.getReadMethod();
  119. if (!Modifier.isPublic(readMethod.getDeclaringClass().getModifiers()) && !readMethod.isAccessible()) {
  120. if (System.getSecurityManager()!= null) {
  121. AccessController.doPrivileged(new PrivilegedAction<Object>() {
  122. public Object run() {
  123. readMethod.setAccessible(true);
  124. return null;
  125. }
  126. });
  127. }
  128. else {
  129. readMethod.setAccessible(true);
  130. }
  131. }
  132. try {
  133. if (System.getSecurityManager() != null) {
  134. oldValue = AccessController.doPrivileged(new PrivilegedExceptionAction<Object>() {
  135. public Object run() throws Exception {
  136. return readMethod.invoke(object);
  137. }
  138. }, acc);
  139. }
  140. else {
  141. oldValue = readMethod.invoke(object);
  142. }
  143. }
  144. catch (Exception ex) {
  145. if (ex instanceof PrivilegedActionException) {
  146. ex = ((PrivilegedActionException) ex).getException();
  147. }
  148. if (logger.isDebugEnabled()) {
  149. logger.debug("Could not read previous value of property '" + this.nestedPath + propertyName + "'", ex);
  150. }
  151. }
  152. }
  153. valueToApply = convertForProperty(propertyName, oldValue, originalValue, pd);
  154. }
  155. pv.getOriginalPropertyValue().conversionNecessary = (valueToApply != originalValue);
  156. }
  157. //取得注入属性的set方法通过反射机制注入对象
  158. final Method writeMethod = (pd instanceof GenericTypeAwarePropertyDescriptor ? ((GenericTypeAwarePropertyDescriptor) pd).getWriteMethodForActualAccess() : pd.getWriteMethod());
  159. if (!Modifier.isPublic(writeMethod.getDeclaringClass().getModifiers()) && !writeMethod.isAccessible()) {
  160. if (System.getSecurityManager()!= null) {
  161. AccessController.doPrivileged(new PrivilegedAction<Object>() {
  162. public Object run() {
  163. writeMethod.setAccessible(true);
  164. return null;
  165. }
  166. });
  167. }
  168. else {
  169. writeMethod.setAccessible(true);
  170. }
  171. }
  172. final Object value = valueToApply;
  173. if (System.getSecurityManager() != null) {
  174. try {
  175. AccessController.doPrivileged(new PrivilegedExceptionAction<Object>() {
  176. public Object run() throws Exception {
  177. writeMethod.invoke(object, value);
  178. return null;
  179. }
  180. }, acc);
  181. }
  182. catch (PrivilegedActionException ex) {
  183. throw ex.getException();
  184. }
  185. }
  186. else {
  187. writeMethod.invoke(this.object, value);
  188. }
  189. }
  190. catch (TypeMismatchException ex) {
  191. throw ex;
  192. }
  193. catch (InvocationTargetException ex) {
  194. PropertyChangeEvent propertyChangeEvent = new PropertyChangeEvent(this.rootObject, this.nestedPath + propertyName, oldValue, pv.getValue());
  195. if (ex.getTargetException() instanceof ClassCastException) {
  196. throw new TypeMismatchException(propertyChangeEvent, pd.getPropertyType(), ex.getTargetException());
  197. }
  198. else {
  199. throw new MethodInvocationException(propertyChangeEvent, ex.getTargetException());
  200. }
  201. }
  202. catch (Exception ex) {
  203. PropertyChangeEvent pce = new PropertyChangeEvent(this.rootObject, this.nestedPath + propertyName, oldValue, pv.getValue());
  204. throw new MethodInvocationException(pce, ex);
  205. }
  206. }
  207. }

通过上面的分析就完成了对bean属性的注入。在bean的创建和对象的依赖注入过程中,需要根据BeanDefinition中的信息来递归的完成依赖注入,这些递归都是以getBean()为入口的,一个递归是上下文体系中查找需要的bean和创建bean的递归调用;另一个递归是在依赖注入的时候通过递归调用容器的getBean方法得到当前Bean的依赖Bean同是触发对依赖bean的创建和依赖注入。在对Bean的属性进行依赖注入的时候解析的过程也是一个递归的过程。这样根据依赖关系一层一层的完成bean的创建和注入,直到最后完成Bean的创建,有了这个顶层Bean的创建和对它的依赖注入的完成意味着和当前Bean相关的整个依赖链的完成。

Spring-IOC源码解读3-依赖注入的更多相关文章

  1. Spring Ioc源码分析系列--自动注入循环依赖的处理

    Spring Ioc源码分析系列--自动注入循环依赖的处理 前言 前面的文章Spring Ioc源码分析系列--Bean实例化过程(二)在讲解到Spring创建bean出现循环依赖的时候并没有深入去分 ...

  2. Spring IoC源码解读——谈谈bean的几种状态

    阅读Spring IoC部分源码有一段时间了,经过不断的单步调试和参阅资料,对Spring容器中bean管理有了一定的了解.这里从bean的几个状态的角度出发,研究下IoC容器. 一.原材料 Xml中 ...

  3. Spring Ioc源码分析系列--Bean实例化过程(二)

    Spring Ioc源码分析系列--Bean实例化过程(二) 前言 上篇文章Spring Ioc源码分析系列--Bean实例化过程(一)简单分析了getBean()方法,还记得分析了什么吗?不记得了才 ...

  4. 深入Spring IOC源码之ResourceLoader

    在<深入Spring IOC源码之Resource>中已经详细介绍了Spring中Resource的抽象,Resource接口有很多实现类,我们当然可以使用各自的构造函数创建符合需求的Re ...

  5. spring IOC源码分析(1)

    1.何谓Spring IOC 何谓Spring IOC?书上谓之“依赖注入”,那何谓“依赖注入”? 作为一个Java程序猿,应该遇到过这样的问题,当你在代码中需要使用某个类提供的功能时,你首先需要ne ...

  6. Spring IOC 源码之ResourceLoader

    转载自http://www.blogjava.net/DLevin/archive/2012/12/01/392337.html 在<深入Spring IOC源码之Resource>中已经 ...

  7. Spring IOC 源码分析

    Spring 最重要的概念是 IOC 和 AOP,本篇文章其实就是要带领大家来分析下 Spring 的 IOC 容器.既然大家平时都要用到 Spring,怎么可以不好好了解 Spring 呢?阅读本文 ...

  8. Spring IoC源码解析之getBean

    一.实例化所有的非懒加载的单实例Bean 从org.springframework.context.support.AbstractApplicationContext#refresh方法开发,进入到 ...

  9. Spring系列(三):Spring IoC源码解析

    一.Spring容器类继承图 二.容器前期准备 IoC源码解析入口: /** * @desc: ioc原理解析 启动 * @author: toby * @date: 2019/7/22 22:20 ...

  10. Spring IoC 源码分析 (基于注解) 之 包扫描

    在上篇文章Spring IoC 源码分析 (基于注解) 一我们分析到,我们通过AnnotationConfigApplicationContext类传入一个包路径启动Spring之后,会首先初始化包扫 ...

随机推荐

  1. 成魔笔记1——先入IT,再成魔

    关于我为什么要写这个博客的原因,做一个简单的解释.因为报考的一时兴起,我选择了软件专业.可是三年下来,感觉自己没做多少事,也没收获到多少东西.很多时候都是老师讲什么,都是完全陌生的东西,跟不上教学的思 ...

  2. 关于ubuntu终端全屏的时候不能显示底部

    最近在win7的电脑上装了ubuntu,也就是双系统.打算之后工作就直接进入ubuntu,减少之前win7和虚拟机之间的切换.进入ubuntu后,发现一个奇怪的问题是,在终端全屏的时候,底部总是有几行 ...

  3. (转)MyBatis框架的学习(五)——一对一关联映射和一对多关联映射

    http://blog.csdn.net/yerenyuan_pku/article/details/71894172 在实际开发中我们不可能只是对单表进行操作,必然要操作多表,本文就来讲解多表操作中 ...

  4. Objective-C中的命名前缀说明

    http://www.cnblogs.com/dhui69/p/6410134.html __kindof __kindof 这修饰符还是很实用的,解决了一个长期以来的小痛点,拿原来的 UITable ...

  5. js 获取当前URL信息

    document.location 这个对象包含了当前URL的信息 location.host 获取port号 location.hostname 设置或获取主机名称 location.href 设置 ...

  6. mysql利用binlog恢复数据详细例子

    模拟数据恢复的案例 有些时候脑瓜就会短路,难免会出错 场景:在生产环境中,我们搭建了mysql主从,备份操作都是在从备份数据库上 前提:有最近一天或者最近的全备 或者最近一天相关数据库的备份 最重要的 ...

  7. C-基础:详解sizeof和strlen,以及strstr

    sizeof和strlen (string.h) 先看几个例子(sizeof和strlen之间的区别):  (1) 对于一个指针, char* ss ="0123456789"; ...

  8. synchronized 和ReentrantLock的区别

    历史知识:JDK5之前,只有synchronized 可以用,之后就有了ReetrantLock可以用了 ReetrantLock (再入锁) 1.位于java.util.concurrnt.lock ...

  9. Bootstrap历练实例:成功按钮

    <!DOCTYPE html><html><head><meta http-equiv="Content-Type" content=&q ...

  10. javaEE(5)_Cookie和Session

    一.会话 1.什么是会话?会话可简单理解为:用户开一个浏览器,点击多个超链接,访问服务器多个web资源,然后关闭浏览器,整个过程称之为一个会话.类似打电话一样.2.会话过程中要解决的一些问题?每个用户 ...