zoukankan      html  css  js  c++  java
  • 依赖注入 源代码之我见

    依照习惯,关键代码,我会标注红色。

    xml配置文件如下:

    <?xml version="1.0" encoding="UTF-8"?>
    <beans xmlns="http://www.springframework.org/schema/beans"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:config="http://www.springframework.org/schema/tool"
           xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/tool http://www.springframework.org/schema/tool/spring-tool.xsd">
    
        <bean id="myUserBean" class="com.tuandai.model.UserBean">
            <constructor-arg name="name" value="小明"></constructor-arg>
            <constructor-arg name="password" value="1234566sd"></constructor-arg>
        </bean>
    </beans>
    xml配置文件

    先从xml中读取一个bean:

     @Test
        public void teset2(){
            ClassPathXmlApplicationContext context=new ClassPathXmlApplicationContext("classpath:context.xml");
            UserBean userBean= (UserBean)context.getBean("myUserBean");
            System.out.println(userBean.getName());
        }

    继续跟踪

    @Override
    public Object getBean(String name) throws BeansException {
       assertBeanFactoryActive();   //这里用来断言、标识beanFactory是否是active
       return getBeanFactory().getBean(name);
    }
    View Code
    //orgspringframeworkspring-beans4.3.13.RELEASEspring-beans-4.3.13.RELEASE-sources.jar!orgspringframeworkeansfactorysupportAbstractBeanFactory.java
    
    @Override
        public Object getBean(String name) throws BeansException {
            return doGetBean(name, null, null, false);
        }
    /**
         * Return an instance, which may be shared or independent, of the specified bean.
         * @param name the name of the bean to retrieve
         * @param requiredType the required type of the bean to retrieve
         * @param args arguments to use when creating a bean instance using explicit arguments
         * (only applied when creating a new instance as opposed to retrieving an existing one)
         * @param typeCheckOnly whether the instance is obtained for a type check,
         * not for actual use
         * @return an instance of the bean
         * @throws BeansException if the bean could not be created
         */
        @SuppressWarnings("unchecked")   //不需要检测
    //返回指定的bean一个共享的或者独立的实例
    protected <T> T doGetBean( final String name, final Class<T> requiredType, final Object[] args, boolean typeCheckOnly) throws BeansException { final String beanName = transformedBeanName(name); Object bean; // Eagerly check singleton cache for manually registered singletons.
    //检查手动注册的单例缓存
    Object sharedInstance = getSingleton(beanName); if (sharedInstance != null && args == null) { if (logger.isDebugEnabled()) { //是否debug if (isSingletonCurrentlyInCreation(beanName)) { logger.debug("Returning eagerly cached instance of singleton bean '" + beanName + "' that is not fully initialized yet - a consequence of a circular reference"); } else { logger.debug("Returning cached instance of singleton bean '" + beanName + "'"); } }
    //获取给定bean实例的对象,对于FactoryBean,可以是bean实例本身,也可以是它创建的对象 bean
    = getObjectForBeanInstance(sharedInstance, name, beanName, null); } else { // Fail if we're already creating this bean instance: // We're assumably within a circular reference.
    //如果已经存在该实例,则抛出异常。spring假设是循环引用
    if (isPrototypeCurrentlyInCreation(beanName)) { throw new BeanCurrentlyInCreationException(beanName); } // Check if bean definition exists in this factory.
    //检查beanFactory是否存在bean定义
    BeanFactory parentBeanFactory = getParentBeanFactory(); if (parentBeanFactory != null && !containsBeanDefinition(beanName)) { //这里这个contrainsBeanDefinition(beanName),点击进去,可以看到是beanDefinition都是放在一个精确的Map中,也就是我的上一篇帖子中提到的那个存放beanDefinition的Map // Not found -> check parent.
    String nameToLookup = originalBeanName(name); //将bean名称改为标准的factoryBean,也就是&符号开头的
    //在这段代码之后,还有一段检测父工厂bean是否是抽象工厂bean的代码,如下:。这段代码的意思是,如果父从长是抽象工厂,则调用抽象工厂的doGetBean()方法
    if (parentBeanFactory instanceof AbstractBeanFactory) {
                        return ((AbstractBeanFactory) parentBeanFactory).doGetBean(
                                nameToLookup, requiredType, args, typeCheckOnly);
                    }
    if (args != null) {
                        // Delegation to parent with explicit args.
                        return (T) parentBeanFactory.getBean(nameToLookup, args);  //有参数
                    }
                    else {
                        // No args -> delegate to standard getBean method.
                        return parentBeanFactory.getBean(nameToLookup, requiredType);   //没参数
                    }
                }
    
                if (!typeCheckOnly) {
                    markBeanAsCreated(beanName);     //标志bean已经创建
                }
    
                try {
                    final RootBeanDefinition mbd = getMergedLocalBeanDefinition(beanName);        //获取合并后的beanDefinition,那些bean的属性值都放在这里了,只需要遍历即可
                    checkMergedBeanDefinition(mbd, beanName, args);    //检查合并后的beanDefinition
    
                    // Guarantee initialization of beans that the current bean depends on.   --保证当前bean所以来的bean初始化
                    String[] dependsOn = mbd.getDependsOn();        //获取依赖名称字符串数组
                    if (dependsOn != null) {
                        for (String dep : dependsOn) {
                            if (isDependent(beanName, dep)) {      //检查是否存在循环引用
                                throw new BeanCreationException(mbd.getResourceDescription(), beanName,
                                        "Circular depends-on relationship between '" + beanName + "' and '" + dep + "'");
                            }
    //注册依赖的bean registerDependentBean(dep, beanName);
    //实例化依赖的bean。从这里也可以看出,依赖关系中的bean,父bean肯定会先于子bean实例化。 getBean(dep); } }
    // Create bean instance.
    // 返回实例
    if (mbd.isSingleton()) { //如果是单例模式 sharedInstance = getSingleton(beanName, new ObjectFactory<Object>() { @Override public Object getObject() throws BeansException { try { return createBean(beanName, mbd, args); } catch (BeansException ex) { // Explicitly remove instance from singleton cache: It might have been put there // eagerly by the creation process, to allow for circular reference resolution. // Also remove any beans that received a temporary reference to the bean. destroySingleton(beanName); throw ex; } } }); bean = getObjectForBeanInstance(sharedInstance, name, beanName, mbd); } else if (mbd.isPrototype()) { //如果是原型模式 // It's a prototype -> create a new instance. Object prototypeInstance = null; try { beforePrototypeCreation(beanName); prototypeInstance = createBean(beanName, mbd, args); //创建一个bean,如果是子类bean,则和父类的定义合并 } finally { afterPrototypeCreation(beanName); } bean = getObjectForBeanInstance(prototypeInstance, name, beanName, mbd); //获取一个bean的对象,这个真正创建bean对象实例的地方(创建bean和创建bean对象实例是不一样的) } else { //其他模式 String scopeName = mbd.getScope(); final Scope scope = this.scopes.get(scopeName); if (scope == null) { throw new IllegalStateException("No Scope registered for scope name '" + scopeName + "'"); } try { Object scopedInstance = scope.get(beanName, new ObjectFactory<Object>() { @Override public Object getObject() throws BeansException { beforePrototypeCreation(beanName); try { return createBean(beanName, mbd, args); } finally { afterPrototypeCreation(beanName); } } }); bean = getObjectForBeanInstance(scopedInstance, name, beanName, mbd); } catch (IllegalStateException ex) { 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", ex); } } } catch (BeansException ex) { cleanupAfterBeanCreationFailure(beanName); //显式删除实例 throw ex; } } // Check if required type matches the type of the actual bean instance. if (requiredType != null && bean != null && !requiredType.isInstance(bean)) { try { return getTypeConverter().convertIfNecessary(bean, requiredType); //转换类型 } catch (TypeMismatchException ex) { if (logger.isDebugEnabled()) { logger.debug("Failed to convert bean '" + name + "' to required type '" + ClassUtils.getQualifiedName(requiredType) + "'", ex); } throw new BeanNotOfRequiredTypeException(name, requiredType, bean.getClass()); } } return (T) bean; }

    下面先看下 createBean(beanName, mbd, args) 这个方法,源代码如下:

    /**
         * Central method of this class: creates a bean instance,
         * populates the bean instance, applies post-processors, etc.
         * @see #doCreateBean
         */
        @Override
        protected Object createBean(String beanName, RootBeanDefinition mbd, Object[] args) throws BeanCreationException {
            if (logger.isDebugEnabled()) {  //是否有debug
                logger.debug("Creating instance of bean '" + beanName + "'");
            }
            RootBeanDefinition mbdToUse = mbd;
    
            // Make sure bean class is actually resolved at this point, and
            // clone the bean definition in case of a dynamically resolved Class
            // which cannot be stored in the shared merged bean definition.
    //确保此时bean类已经被解析,并且在动态解析类不能存储在共享合并bean定义中时克隆bean定义
    Class<?> resolvedClass = resolveBeanClass(mbd, beanName); if (resolvedClass != null && !mbd.hasBeanClass() && mbd.getBeanClassName() != null) { mbdToUse = new RootBeanDefinition(mbd); mbdToUse.setBeanClass(resolvedClass); } // Prepare method overrides. --准备重载的方法 try {
    //查看源码的时候,可以看出,这里的校验步骤是:先查出IOC重载的所有方法,然后再查和这个方法同名的方法。如果同名方法数量<=1,则证明没有被重载
    //具体可以查看源码 mbdToUse.prepareMethodOverrides(); }
    catch (BeanDefinitionValidationException ex) { throw new BeanDefinitionStoreException(mbdToUse.getResourceDescription(), beanName, "Validation of method overrides failed", ex); } try { // Give BeanPostProcessors a chance to return a proxy instead of the target bean instance.
    //使用bean 后置处理器返回一个代理,而不是bean实例的本身

    //从源码可以看出,这里是执行bean的后置处理器初始化之前和bean后置处理器初始化之后两个后置处理器
    //这里对应的又是上一篇博客的registerBeanPostProcessor(beanFactory)。 Object bean = resolveBeforeInstantiation(beanName, mbdToUse); if (bean != null) { return bean; } } catch (Throwable ex) { throw new BeanCreationException(mbdToUse.getResourceDescription(), beanName, "BeanPostProcessor before instantiation of bean failed", ex); } Object beanInstance = doCreateBean(beanName, mbdToUse, args); //真正执行创建一个bean if (logger.isDebugEnabled()) { logger.debug("Finished creating instance of bean '" + beanName + "'"); } return beanInstance; }
    /**
         * Actually create the specified bean. Pre-creation processing has already happened
         * at this point, e.g. checking {@code postProcessBeforeInstantiation} callbacks.
         * <p>Differentiates between default bean instantiation, use of a
         * factory method, and autowiring a constructor.
         * @param beanName the name of the bean
         * @param mbd the merged bean definition for the bean
         * @param args explicit arguments to use for constructor or factory method invocation
         * @return a new instance of the bean
         * @throws BeanCreationException if the bean could not be created
         * @see #instantiateBean
         * @see #instantiateUsingFactoryMethod
         * @see #autowireConstructor
         */

    //
    实际创建指定的bean。这时已经进行了预创建处理,例如检查{@ codepostprocessbeforeinstantiinstantiation}回调

    //区分了默认bean实例化、工厂方法的使用和构造函数的自动连接
        protected Object doCreateBean(final String beanName, final RootBeanDefinition mbd, final Object[] args)
                throws BeanCreationException {
    
            // Instantiate the bean.
            BeanWrapper instanceWrapper = null;
            if (mbd.isSingleton()) {
                instanceWrapper = this.factoryBeanInstanceCache.remove(beanName);
            }
            if (instanceWrapper == null) {
                instanceWrapper = createBeanInstance(beanName, mbd, args);
            }
            final Object bean = (instanceWrapper != null ? instanceWrapper.getWrappedInstance() : null);
            Class<?> beanType = (instanceWrapper != null ? instanceWrapper.getWrappedClass() : null);
            mbd.resolvedTargetType = beanType;
    
            // Allow post-processors to modify the merged bean definition.
    // 允许后置处理修改已经合并的bean 定义
    synchronized (mbd.postProcessingLock) { if (!mbd.postProcessed) { try { applyMergedBeanDefinitionPostProcessors(mbd, beanType, beanName); } catch (Throwable ex) { throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Post-processing of merged bean definition failed", ex); } mbd.postProcessed = true; } } // Eagerly cache singletons to be able to resolve circular references // even when triggered by lifecycle interfaces like BeanFactoryAware.
    // 为了循环引用,马上缓存单例bean
    boolean earlySingletonExposure = (mbd.isSingleton() && this.allowCircularReferences && isSingletonCurrentlyInCreation(beanName)); if (earlySingletonExposure) { if (logger.isDebugEnabled()) { logger.debug("Eagerly caching bean '" + beanName + "' to allow for resolving potential circular references"); } addSingletonFactory(beanName, new ObjectFactory<Object>() { @Override public Object getObject() throws BeansException { return getEarlyBeanReference(beanName, mbd, bean); } }); } // Initialize the bean instance.
    // 初始化bean实例
    Object exposedObject = bean; try { populateBean(beanName, mbd, instanceWrapper); //用属性值填充给定bean包装器中的bean实例 if (exposedObject != null) { exposedObject = initializeBean(beanName, exposedObject, mbd); } } catch (Throwable ex) { if (ex instanceof BeanCreationException && beanName.equals(((BeanCreationException) ex).getBeanName())) { throw (BeanCreationException) ex; } else { throw new BeanCreationException( mbd.getResourceDescription(), beanName, "Initialization of bean failed", ex); } } if (earlySingletonExposure) { Object earlySingletonReference = getSingleton(beanName, false); if (earlySingletonReference != null) { if (exposedObject == bean) { exposedObject = earlySingletonReference; } else if (!this.allowRawInjectionDespiteWrapping && hasDependentBean(beanName)) { String[] dependentBeans = getDependentBeans(beanName); Set<String> actualDependentBeans = new LinkedHashSet<String>(dependentBeans.length); for (String dependentBean : dependentBeans) { if (!removeSingletonIfCreatedForTypeCheckOnly(dependentBean)) { actualDependentBeans.add(dependentBean); } } if (!actualDependentBeans.isEmpty()) { throw new BeanCurrentlyInCreationException(beanName, "Bean with name '" + beanName + "' has been injected into other beans [" + StringUtils.collectionToCommaDelimitedString(actualDependentBeans) + "] in its raw version as part of a circular reference, but has eventually been " + "wrapped. This means that said other beans do not use the final version of the " + "bean. This is often the result of over-eager type matching - consider using " + "'getBeanNamesOfType' with the 'allowEagerInit' flag turned off, for example."); } } } } // Register bean as disposable.
    // 注册为公开的bean
    try { registerDisposableBeanIfNecessary(beanName, bean, mbd); // 这里最终把bean添加到一个Map<String,Object> disposableBeans 中 } catch (BeanDefinitionValidationException ex) { throw new BeanCreationException( mbd.getResourceDescription(), beanName, "Invalid destruction signature", ex); } return exposedObject; }

     这里有两个重要的方法:createBeanInstance(beanName, mbd, args) 和 populateBean(beanName, mbd, instanceWrapper) 。先看下 createBeanInstance(beanName, mbd, args)

    /**
         * Create a new instance for the specified bean, using an appropriate instantiation strategy:
         * factory method, constructor autowiring, or simple instantiation.
         * @param beanName the name of the bean
         * @param mbd the bean definition for the bean
         * @param args explicit arguments to use for constructor or factory method invocation
         * @return BeanWrapper for the new instance
         * @see #instantiateUsingFactoryMethod
         * @see #autowireConstructor
         * @see #instantiateBean
         */
    //创建指定的bean的实例,优先级策略:工厂方法 > 自动注入autowire的构造方法 > 本身的默认的构造方法
    protected BeanWrapper createBeanInstance(String beanName, RootBeanDefinition mbd, Object[] args) { // Make sure bean class is actually resolved at this point. Class<?> beanClass = resolveBeanClass(mbd, beanName); //确保已经解决bean if (beanClass != null && !Modifier.isPublic(beanClass.getModifiers()) && !mbd.isNonPublicAccessAllowed()) { //必须是公有方法 throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Bean class isn't public, and non-public access not allowed: " + beanClass.getName()); } if (mbd.getFactoryMethodName() != null) { //如果有工厂方法,优先调用 return instantiateUsingFactoryMethod(beanName, mbd, args); } // Shortcut when re-creating the same bean...
    //使用快捷方式创建bean,从下面代码可以看出,是通过@Autowire 和 构造方法这两种方式 boolean resolved = false; boolean autowireNecessary = false; if (args == null) { synchronized (mbd.constructorArgumentLock) { if (mbd.resolvedConstructorOrFactoryMethod != null) { resolved = true; autowireNecessary = mbd.constructorArgumentsResolved; } } }
    //如果有@Autowire 或者 构造方法
    if (resolved) { if (autowireNecessary) { //次优先级:自动注入autowire构造方法 return autowireConstructor(beanName, mbd, null, null); } else { return instantiateBean(beanName, mbd); //最后的优先级:本身默认的构造方法 } } // Need to determine the constructor...
    // 决定使用哪个构造方法
    Constructor<?>[] ctors = determineConstructorsFromBeanPostProcessors(beanClass, beanName); if (ctors != null || mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_CONSTRUCTOR || mbd.hasConstructorArgumentValues() || !ObjectUtils.isEmpty(args)) { return autowireConstructor(beanName, mbd, ctors, args); } // No special handling: simply use no-arg constructor. return instantiateBean(beanName, mbd); }

     上面有三个初始化bean的方法,instantiateUsingFactoryMethod(beanName, mbd, args)、autowireConstructor(beanName, mbd, null, null)、instantiateBean(beanName, mbd) 。分别对应工厂方法、自动注入、已经自身的构造函数。这里先看自动注入的,源代码如下:

    //orgspringframeworkspring-beans4.3.13.RELEASEspring-beans-4.3.13.RELEASE-sources.jar!orgspringframeworkeansfactorysupportConstructorResolver.java
    
    /**
         * "autowire constructor" (with constructor arguments by type) behavior.
         * Also applied if explicit constructor argument values are specified,
         * matching all remaining arguments with beans from the bean factory.
         * <p>This corresponds to constructor injection: In this mode, a Spring
         * bean factory is able to host components that expect constructor-based
         * dependency resolution.
         * @param beanName the name of the bean
         * @param mbd the merged bean definition for the bean
         * @param chosenCtors chosen candidate constructors (or {@code null} if none)
         * @param explicitArgs argument values passed in programmatically via the getBean method,
         * or {@code null} if none (-> use constructor argument values from bean definition)
         * @return a BeanWrapper for the new instance
         */
    //autowire构造函数”(带有构造函数参数的类型)行为。如果指定了显式构造函数参数值,也会应用该方法,将所有剩余的参数与bean工厂的bean匹配
    public BeanWrapper autowireConstructor(final String beanName, final RootBeanDefinition mbd, Constructor<?>[] chosenCtors, final Object[] explicitArgs) { BeanWrapperImpl bw = new BeanWrapperImpl(); //bean 包装实现类 this.beanFactory.initBeanWrapper(bw); Constructor<?> constructorToUse = null; ArgumentsHolder argsHolderToUse = null; Object[] argsToUse = null; if (explicitArgs != null) { //如果参数不为空,则赋值给argsToUser 参数 argsToUse = explicitArgs; } else { Object[] argsToResolve = null; synchronized (mbd.constructorArgumentLock) { constructorToUse = (Constructor<?>) mbd.resolvedConstructorOrFactoryMethod; if (constructorToUse != null && mbd.constructorArgumentsResolved) { // Found a cached constructor... argsToUse = mbd.resolvedConstructorArguments; //准备参数 if (argsToUse == null) { argsToResolve = mbd.preparedConstructorArguments; } } } if (argsToResolve != null) { argsToUse = resolvePreparedArguments(beanName, mbd, bw, constructorToUse, argsToResolve); //校验参数 } } if (constructorToUse == null) { // Need to resolve the constructor.
    // 如果选择了构造函数 boolean autowiring = (chosenCtors != null || mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_CONSTRUCTOR); ConstructorArgumentValues resolvedValues = null; int minNrOfArgs; if (explicitArgs != null) { minNrOfArgs = explicitArgs.length; //参数长度 } else { ConstructorArgumentValues cargs = mbd.getConstructorArgumentValues(); //获取参数的值 resolvedValues = new ConstructorArgumentValues(); minNrOfArgs = resolveConstructorArguments(beanName, mbd, bw, cargs, resolvedValues); //参数长度 } // Take specified constructors, if any. Constructor<?>[] candidates = chosenCtors; //获取候选的构造方法 if (candidates == null) { Class<?> beanClass = mbd.getBeanClass(); try { candidates = (mbd.isNonPublicAccessAllowed() ? //如果有可访问的构造方法,则返回可访问构造方法数组;否则使用反射返回一个公共的构造函数数组。如果没有公有构造函数或者是数组类,则返回长度为0的数组 beanClass.getDeclaredConstructors() : beanClass.getConstructors()); } catch (Throwable ex) { throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Resolution of declared constructors on bean Class [" + beanClass.getName() + "] from ClassLoader [" + beanClass.getClassLoader() + "] failed", ex); } } AutowireUtils.sortConstructors(candidates); //排序构造函数,排序条件:优先级1-公有 > 非公有 优先级2:-参数多 > 参数少 int minTypeDiffWeight = Integer.MAX_VALUE; Set<Constructor<?>> ambiguousConstructors = null; LinkedList<UnsatisfiedDependencyException> causes = null; for (Constructor<?> candidate : candidates) { Class<?>[] paramTypes = candidate.getParameterTypes(); if (constructorToUse != null && argsToUse.length > paramTypes.length) { //如果找到构造函数参数足够(参数数量足够 >或者=) // Already found greedy constructor that can be satisfied -> // do not look any further, there are only less greedy constructors left. break; } if (paramTypes.length < minNrOfArgs) { continue; } ArgumentsHolder argsHolder; if (resolvedValues != null) { try { String[] paramNames = ConstructorPropertiesChecker.evaluate(candidate, paramTypes.length); //委派设计模式,校验参数 if (paramNames == null) { ParameterNameDiscoverer pnd = this.beanFactory.getParameterNameDiscoverer(); //解释参数名 if (pnd != null) { paramNames = pnd.getParameterNames(candidate); //获取参数名 } } argsHolder = createArgumentArray(beanName, mbd, resolvedValues, bw, paramTypes, paramNames, //创建构造参数素组 getUserDeclaredConstructor(candidate), autowiring); } catch (UnsatisfiedDependencyException ex) { if (this.beanFactory.logger.isTraceEnabled()) { this.beanFactory.logger.trace( "Ignoring constructor [" + candidate + "] of bean '" + beanName + "': " + ex); } // Swallow and try next constructor. if (causes == null) { causes = new LinkedList<UnsatisfiedDependencyException>(); } causes.add(ex); continue; } } else { //上面把参数的数量长度 > 要执行的构造函数的参数数量长度 的构造函数添加到一个集合中 // Explicit arguments given -> arguments length must match exactly. if (paramTypes.length != explicitArgs.length) { //参数长度必须完全匹配 continue; } argsHolder = new ArgumentsHolder(explicitArgs); } int typeDiffWeight = (mbd.isLenientConstructorResolution() ? argsHolder.getTypeDifferenceWeight(paramTypes) : argsHolder.getAssignabilityWeight(paramTypes)); // Choose this constructor if it represents the closest match.
    //选择参数长度匹配度最高的构造方法

    //有二义的构造方法 if (typeDiffWeight < minTypeDiffWeight) { constructorToUse = candidate; argsHolderToUse = argsHolder; argsToUse = argsHolder.arguments; minTypeDiffWeight = typeDiffWeight; ambiguousConstructors = null; //这里对应下面的抛出异常 } else if (constructorToUse != null && typeDiffWeight == minTypeDiffWeight) { //构造函数完全匹配,参数完全一样 if (ambiguousConstructors == null) { ambiguousConstructors = new LinkedHashSet<Constructor<?>>(); ambiguousConstructors.add(constructorToUse); //把构造参数添加到集合中 } ambiguousConstructors.add(candidate); //添加候选的构造参数 } }
    //找不到合适的构造函数
    if (constructorToUse == null) { if (causes != null) { UnsatisfiedDependencyException ex = causes.removeLast(); for (Exception cause : causes) { this.beanFactory.onSuppressedException(cause); } throw ex; } throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Could not resolve matching constructor " + "(hint: specify index/type/name arguments for simple parameters to avoid type ambiguities)"); }
    //抛出构造方法有歧义的异常。ambiguousConstructors 表示有歧义的构造方法
    else if (ambiguousConstructors != null && !mbd.isLenientConstructorResolution()) { throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Ambiguous constructor matches found in bean '" + beanName + "' " + "(hint: specify index/type/name arguments for simple parameters to avoid type ambiguities): " + ambiguousConstructors); } if (explicitArgs == null) { argsHolderToUse.storeCache(mbd, constructorToUse); //添加到缓存中 } } try { Object beanInstance; if (System.getSecurityManager() != null) { final Constructor<?> ctorToUse = constructorToUse; final Object[] argumentsToUse = argsToUse; beanInstance = AccessController.doPrivileged(new PrivilegedAction<Object>() { @Override public Object run() { return beanFactory.getInstantiationStrategy().instantiate( mbd, beanName, beanFactory, ctorToUse, argumentsToUse); } }, beanFactory.getAccessControlContext()); } else { beanInstance = this.beanFactory.getInstantiationStrategy().instantiate( mbd, beanName, this.beanFactory, constructorToUse, argsToUse); //这里返回bean的实例。 } bw.setBeanInstance(beanInstance); return bw; } catch (Throwable ex) { throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Bean instantiation via constructor failed", ex); } }
    @Override
        public Object instantiate(RootBeanDefinition bd, String beanName, BeanFactory owner,
                final Constructor<?> ctor, Object... args) {
    
    //如果该bean的实例化的方法,有被重写,则调用下面这段代码
    if (bd.getMethodOverrides().isEmpty()) { if (System.getSecurityManager() != null) { // use own privileged to change accessibility (when security is on) AccessController.doPrivileged(new PrivilegedAction<Object>() { @Override public Object run() { ReflectionUtils.makeAccessible(ctor); return null; } }); } return BeanUtils.instantiateClass(ctor, args); //调用的是jdk代理(默认的也是jdk代理) } else { return instantiateWithMethodInjection(bd, beanName, owner, ctor, args); //调用的cglib进行初始化 } }
    @Override
        protected Object instantiateWithMethodInjection(RootBeanDefinition bd, String beanName, BeanFactory owner,
                Constructor<?> ctor, Object... args) {
    
            // Must generate CGLIB subclass...
            return new CglibSubclassCreator(bd, owner).instantiate(ctor, args);
        }
    /**
             * Create a new instance of a dynamically generated subclass implementing the
             * required lookups.
             * @param ctor constructor to use. If this is {@code null}, use the
             * no-arg constructor (no parameterization, or Setter Injection)
             * @param args arguments to use for the constructor.
             * Ignored if the {@code ctor} parameter is {@code null}.
             * @return new instance of the dynamically generated subclass
             */
            public Object instantiate(Constructor<?> ctor, Object... args) {
                Class<?> subclass = createEnhancedSubclass(this.beanDefinition);         //返回增强的子类
                Object instance;
                if (ctor == null) {
                    instance = BeanUtils.instantiateClass(subclass);                 //如果没有显示的构造方法,则使用无参构造方法,最终是调用native的实现,也就是使用外部的代码由C++实现
                }
                else {
                    try {
                        Constructor<?> enhancedSubclassConstructor = subclass.getConstructor(ctor.getParameterTypes());
                        instance = enhancedSubclassConstructor.newInstance(args);        //使用子类的构造方法,最终也是native
                    }
                    catch (Exception ex) {
                        throw new BeanInstantiationException(this.beanDefinition.getBeanClass(),
                                "Failed to invoke constructor for CGLIB enhanced subclass [" + subclass.getName() + "]", ex);
                    }
                }
                // SPR-10785: set callbacks directly on the instance instead of in the
                // enhanced class (via the Enhancer) in order to avoid memory leaks.
    //直接使用实例进行回调,而不是使用增加子类的回调,避免内存泄露
    Factory factory = (Factory) instance; factory.setCallbacks(new Callback[] {NoOp.INSTANCE, new LookupOverrideMethodInterceptor(this.beanDefinition, this.owner), new ReplaceOverrideMethodInterceptor(this.beanDefinition, this.owner)}); return instance; }

    接下来阅读工厂方法 instantiateUsingFactoryMethod(beanName, mbd, args) 的源代码,代码如下:

    /**
         * Instantiate the bean using a named factory method. The method may be static, if the
         * bean definition parameter specifies a class, rather than a "factory-bean", or
         * an instance variable on a factory object itself configured using Dependency Injection.
         * <p>Implementation requires iterating over the static or instance methods with the
         * name specified in the RootBeanDefinition (the method may be overloaded) and trying
         * to match with the parameters. We don't have the types attached to constructor args,
         * so trial and error is the only way to go here. The explicitArgs array may contain
         * argument values passed in programmatically via the corresponding getBean method.
         * @param beanName the name of the bean
         * @param mbd the merged bean definition for the bean
         * @param explicitArgs argument values passed in programmatically via the getBean
         * method, or {@code null} if none (-> use constructor argument values from bean definition)
         * @return a BeanWrapper for the new instance
         */

    //使用工厂方法初始化一个bean。因为参数可能是指定的类或者使用依赖注入,所以这个方法可能是静态的。
    public BeanWrapper instantiateUsingFactoryMethod( final String beanName, final RootBeanDefinition mbd, final Object[] explicitArgs) { BeanWrapperImpl bw = new BeanWrapperImpl(); this.beanFactory.initBeanWrapper(bw); Object factoryBean; Class<?> factoryClass; boolean isStatic; String factoryBeanName = mbd.getFactoryBeanName(); //获取工厂方法名 if (factoryBeanName != null) { if (factoryBeanName.equals(beanName)) { //循环引用 throw new BeanDefinitionStoreException(mbd.getResourceDescription(), beanName, "factory-bean reference points back to the same bean definition"); } factoryBean = this.beanFactory.getBean(factoryBeanName); //获取工厂bean。这里又回到上面的获取工厂bean那个代码了,代码循环调用 if (factoryBean == null) { throw new BeanCreationException(mbd.getResourceDescription(), beanName, "factory-bean '" + factoryBeanName + "' (or a BeanPostProcessor involved) returned null"); } if (mbd.isSingleton() && this.beanFactory.containsSingleton(beanName)) { throw new IllegalStateException("About-to-be-created singleton instance implicitly appeared " + "through the creation of the factory bean that its bean definition points to"); } factoryClass = factoryBean.getClass(); //获得工厂bean的类 isStatic = false; } else { // It's a static factory method on the bean class. if (!mbd.hasBeanClass()) { //假如是一个静态的工厂方法,必须已经实例化。因为static 的bean。 throw new BeanDefinitionStoreException(mbd.getResourceDescription(), beanName, "bean definition declares neither a bean class nor a factory-bean reference"); } factoryBean = null; factoryClass = mbd.getBeanClass(); isStatic = true; } Method factoryMethodToUse = null; ArgumentsHolder argsHolderToUse = null; Object[] argsToUse = null; if (explicitArgs != null) { argsToUse = explicitArgs; } else { Object[] argsToResolve = null; synchronized (mbd.constructorArgumentLock) { factoryMethodToUse = (Method) mbd.resolvedConstructorOrFactoryMethod; //准备参数 if (factoryMethodToUse != null && mbd.constructorArgumentsResolved) { // Found a cached factory method... argsToUse = mbd.resolvedConstructorArguments; if (argsToUse == null) { argsToResolve = mbd.preparedConstructorArguments; } } } if (argsToResolve != null) { argsToUse = resolvePreparedArguments(beanName, mbd, bw, factoryMethodToUse, argsToResolve); } } if (factoryMethodToUse == null || argsToUse == null) { // Need to determine the factory method... // Try all methods with this name to see if they match the given arguments.
    // 尝试所有的工厂方法
    factoryClass = ClassUtils.getUserClass(factoryClass); Method[] rawCandidates = getCandidateMethods(factoryClass, mbd); List<Method> candidateSet = new ArrayList<Method>(); for (Method candidate : rawCandidates) { //循环调用 if (Modifier.isStatic(candidate.getModifiers()) == isStatic && mbd.isFactoryMethod(candidate)) { //如果是静态工厂方法 candidateSet.add(candidate); } } Method[] candidates = candidateSet.toArray(new Method[candidateSet.size()]); AutowireUtils.sortFactoryMethods(candidates); ConstructorArgumentValues resolvedValues = null; boolean autowiring = (mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_CONSTRUCTOR); int minTypeDiffWeight = Integer.MAX_VALUE; Set<Method> ambiguousFactoryMethods = null; int minNrOfArgs; if (explicitArgs != null) { minNrOfArgs = explicitArgs.length; } else { // We don't have arguments passed in programmatically, so we need to resolve the // arguments specified in the constructor arguments held in the bean definition.
    //解决参数的值的问题。因为jdk不会自动转换参数,所以必须显示地声明构造方法的参数问题。也是以为这样,如果有同样的签名的构造方法,将会被报错。
    ConstructorArgumentValues cargs = mbd.getConstructorArgumentValues(); resolvedValues = new ConstructorArgumentValues(); minNrOfArgs = resolveConstructorArguments(beanName, mbd, bw, cargs, resolvedValues); } LinkedList<UnsatisfiedDependencyException> causes = null; for (Method candidate : candidates) { //这里跟自动注入autowire 一样,遍历所有的候选参数 Class<?>[] paramTypes = candidate.getParameterTypes(); if (paramTypes.length >= minNrOfArgs) { ArgumentsHolder argsHolder; if (resolvedValues != null) { // Resolved constructor arguments: type conversion and/or autowiring necessary. try { String[] paramNames = null; ParameterNameDiscoverer pnd = this.beanFactory.getParameterNameDiscoverer(); if (pnd != null) { paramNames = pnd.getParameterNames(candidate); } argsHolder = createArgumentArray( beanName, mbd, resolvedValues, bw, paramTypes, paramNames, candidate, autowiring); } catch (UnsatisfiedDependencyException ex) { if (this.beanFactory.logger.isTraceEnabled()) { this.beanFactory.logger.trace("Ignoring factory method [" + candidate + "] of bean '" + beanName + "': " + ex); } // Swallow and try next overloaded factory method. if (causes == null) { causes = new LinkedList<UnsatisfiedDependencyException>(); } causes.add(ex); continue; } } else { // Explicit arguments given -> arguments length must match exactly. if (paramTypes.length != explicitArgs.length) { continue; } argsHolder = new ArgumentsHolder(explicitArgs); } int typeDiffWeight = (mbd.isLenientConstructorResolution() ? argsHolder.getTypeDifferenceWeight(paramTypes) : argsHolder.getAssignabilityWeight(paramTypes)); // Choose this factory method if it represents the closest match. if (typeDiffWeight < minTypeDiffWeight) { factoryMethodToUse = candidate; argsHolderToUse = argsHolder; argsToUse = argsHolder.arguments; minTypeDiffWeight = typeDiffWeight; ambiguousFactoryMethods = null; } // Find out about ambiguity: In case of the same type difference weight // for methods with the same number of parameters, collect such candidates // and eventually raise an ambiguity exception. // However, only perform that check in non-lenient constructor resolution mode, // and explicitly ignore overridden methods (with the same parameter signature). else if (factoryMethodToUse != null && typeDiffWeight == minTypeDiffWeight && !mbd.isLenientConstructorResolution() && paramTypes.length == factoryMethodToUse.getParameterTypes().length && !Arrays.equals(paramTypes, factoryMethodToUse.getParameterTypes())) { //参数完全匹配 if (ambiguousFactoryMethods == null) { ambiguousFactoryMethods = new LinkedHashSet<Method>(); ambiguousFactoryMethods.add(factoryMethodToUse); } ambiguousFactoryMethods.add(candidate); //把候选的构造方法添加到集合中 } } } if (factoryMethodToUse == null) { if (causes != null) { UnsatisfiedDependencyException ex = causes.removeLast(); for (Exception cause : causes) { this.beanFactory.onSuppressedException(cause); } throw ex; } List<String> argTypes = new ArrayList<String>(minNrOfArgs); if (explicitArgs != null) { for (Object arg : explicitArgs) { argTypes.add(arg != null ? arg.getClass().getSimpleName() : "null"); } } else { Set<ValueHolder> valueHolders = new LinkedHashSet<ValueHolder>(resolvedValues.getArgumentCount()); valueHolders.addAll(resolvedValues.getIndexedArgumentValues().values()); valueHolders.addAll(resolvedValues.getGenericArgumentValues()); for (ValueHolder value : valueHolders) { String argType = (value.getType() != null ? ClassUtils.getShortName(value.getType()) : (value.getValue() != null ? value.getValue().getClass().getSimpleName() : "null")); argTypes.add(argType); } } String argDesc = StringUtils.collectionToCommaDelimitedString(argTypes); throw new BeanCreationException(mbd.getResourceDescription(), beanName, "No matching factory method found: " + (mbd.getFactoryBeanName() != null ? "factory bean '" + mbd.getFactoryBeanName() + "'; " : "") + "factory method '" + mbd.getFactoryMethodName() + "(" + argDesc + ")'. " + "Check that a method with the specified name " + (minNrOfArgs > 0 ? "and arguments " : "") + "exists and that it is " + (isStatic ? "static" : "non-static") + "."); } else if (void.class == factoryMethodToUse.getReturnType()) { //void 的构造函数,抛出异常 throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Invalid factory method '" + mbd.getFactoryMethodName() + "': needs to have a non-void return type!"); } else if (ambiguousFactoryMethods != null) { throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Ambiguous factory method matches found in bean '" + beanName + "' " + "(hint: specify index/type/name arguments for simple parameters to avoid type ambiguities): " + ambiguousFactoryMethods); } if (explicitArgs == null && argsHolderToUse != null) { argsHolderToUse.storeCache(mbd, factoryMethodToUse); } } try { Object beanInstance; if (System.getSecurityManager() != null) { final Object fb = factoryBean; final Method factoryMethod = factoryMethodToUse; final Object[] args = argsToUse; beanInstance = AccessController.doPrivileged(new PrivilegedAction<Object>() { @Override public Object run() { return beanFactory.getInstantiationStrategy().instantiate( mbd, beanName, beanFactory, fb, factoryMethod, args); } }, beanFactory.getAccessControlContext()); } else { beanInstance = this.beanFactory.getInstantiationStrategy().instantiate( //初始化bean实例 mbd, beanName, this.beanFactory, factoryBean, factoryMethodToUse, argsToUse); } if (beanInstance == null) { return null; } bw.setBeanInstance(beanInstance); return bw; } catch (Throwable ex) { throw new BeanCreationException(mbd.getResourceDescription(), beanName, "Bean instantiation via factory method failed", ex); } }

    可以看到这里,流程基本和autowire的一样。跟踪:this.beanFactory.getInstantiationStrategy().instantiate(mbd, beanName, this.beanFactory, factoryBean, factoryMethodToUse, argsToUse),源代码如下:

    @Override
        public Object instantiate(RootBeanDefinition bd, String beanName, BeanFactory owner,
                Object factoryBean, final Method factoryMethod, Object... args) {
    
            try {
                if (System.getSecurityManager() != null) {
                    AccessController.doPrivileged(new PrivilegedAction<Object>() {
                        @Override
                        public Object run() {
                            ReflectionUtils.makeAccessible(factoryMethod);
                            return null;
                        }
                    });
                }
                else {
                    ReflectionUtils.makeAccessible(factoryMethod);
                }
    
                Method priorInvokedFactoryMethod = currentlyInvokedFactoryMethod.get();
                try {
                    currentlyInvokedFactoryMethod.set(factoryMethod);
                    return factoryMethod.invoke(factoryBean, args);
                }
                finally {
                    if (priorInvokedFactoryMethod != null) {
                        currentlyInvokedFactoryMethod.set(priorInvokedFactoryMethod);
                    }
                    else {
                        currentlyInvokedFactoryMethod.remove();
                    }
                }
            }
            catch (IllegalArgumentException ex) {
                throw new BeanInstantiationException(factoryMethod,
                        "Illegal arguments to factory method '" + factoryMethod.getName() + "'; " +
                        "args: " + StringUtils.arrayToCommaDelimitedString(args), ex);
            }
            catch (IllegalAccessException ex) {
                throw new BeanInstantiationException(factoryMethod,
                        "Cannot access factory method '" + factoryMethod.getName() + "'; is it public?", ex);
            }
            catch (InvocationTargetException ex) {
                String msg = "Factory method '" + factoryMethod.getName() + "' threw exception";
                if (bd.getFactoryBeanName() != null && owner instanceof ConfigurableBeanFactory &&
                        ((ConfigurableBeanFactory) owner).isCurrentlyInCreation(bd.getFactoryBeanName())) {
                    msg = "Circular reference involving containing bean '" + bd.getFactoryBeanName() + "' - consider " +
                            "declaring the factory method as static for independence from its containing instance. " + msg;
                }
                throw new BeanInstantiationException(factoryMethod, msg, ex.getTargetException());
            }
        }
    @CallerSensitive
        public Object invoke(Object obj, Object... args)
            throws IllegalAccessException, IllegalArgumentException,
               InvocationTargetException
        {
            if (!override) {
                if (!Reflection.quickCheckMemberAccess(clazz, modifiers)) {
                    Class<?> caller = Reflection.getCallerClass();
                    checkAccess(caller, clazz, obj, modifiers);
                }
            }
            MethodAccessor ma = methodAccessor;             // read volatile
            if (ma == null) {
                ma = acquireMethodAccessor();
            }
            return ma.invoke(obj, args);            //从源代码看出,这里也是调用外部的c++ 来实例化的
        }

    从上面autowire和工厂方法可以看出,流程基本一致,最终都是调用外部的c++代码来实例化(native),本身的构造方法这种实例化方式不再单独分析。

    -----------------------------------

    接下来阅读 populateBean(beanName, mbd, instanceWrapper) 的源代码,代码如下:

    /**
         * Populate the bean instance in the given BeanWrapper with the property values
         * from the bean definition.
         * @param beanName the name of the bean
         * @param mbd the bean definition for the bean
         * @param bw BeanWrapper with bean instance
         */
    //用bean定义的属性值填充给定bean包装器中的bean实例
    protected void populateBean(String beanName, RootBeanDefinition mbd, BeanWrapper bw) { PropertyValues pvs = mbd.getPropertyValues(); if (bw == null) { if (!pvs.isEmpty()) { throw new BeanCreationException( mbd.getResourceDescription(), beanName, "Cannot apply property values to null instance"); } else { // Skip property population phase for null instance. return; } } // Give any InstantiationAwareBeanPostProcessors the opportunity to modify the // state of the bean before properties are set. This can be used, for example, // to support styles of field injection.
    // 在属性设置之前调用初始化Aware Bean 的后置处理器修改bean的状态。例如:字段注入
    boolean continueWithPropertyPopulation = true; if (!mbd.isSynthetic() && hasInstantiationAwareBeanPostProcessors()) { //非严格模式&&有后置处理器 for (BeanPostProcessor bp : getBeanPostProcessors()) { if (bp instanceof InstantiationAwareBeanPostProcessor) { InstantiationAwareBeanPostProcessor ibp = (InstantiationAwareBeanPostProcessor) bp; if (!ibp.postProcessAfterInstantiation(bw.getWrappedInstance(), beanName)) { continueWithPropertyPopulation = false; break; } } } } if (!continueWithPropertyPopulation) { return; } if (mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_NAME || mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_TYPE) { MutablePropertyValues newPvs = new MutablePropertyValues(pvs); //深拷贝,不是使用原型模式 // Add property values based on autowire by name if applicable.
    // 添加 依赖名字 自动注入属性值
    if (mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_NAME) { autowireByName(beanName, mbd, bw, newPvs); //从源码可以看出,这里是循环注入,包括独立的bean和依赖引用的bean } // Add property values based on autowire by type if applicable.
    // 添加 依赖类型 自动注入属性值
    if (mbd.getResolvedAutowireMode() == RootBeanDefinition.AUTOWIRE_BY_TYPE) { autowireByType(beanName, mbd, bw, newPvs); //从源码可以看出,这里和autowireByName都是一样的调用registerDependentBean解决依赖关系 } pvs = newPvs; } boolean hasInstAwareBpps = hasInstantiationAwareBeanPostProcessors(); //判断是否有beanInstantiationAware后置处理器,这里也是对应IOC容器初始化的注册后置处理器那段 boolean needsDepCheck = (mbd.getDependencyCheck() != RootBeanDefinition.DEPENDENCY_CHECK_NONE); if (hasInstAwareBpps || needsDepCheck) { PropertyDescriptor[] filteredPds = filterPropertyDescriptorsForDependencyCheck(bw, mbd.allowCaching); if (hasInstAwareBpps) { for (BeanPostProcessor bp : getBeanPostProcessors()) { if (bp instanceof InstantiationAwareBeanPostProcessor) { InstantiationAwareBeanPostProcessor ibp = (InstantiationAwareBeanPostProcessor) bp; pvs = ibp.postProcessPropertyValues(pvs, filteredPds, bw.getWrappedInstance(), beanName); if (pvs == null) { return; } } } } if (needsDepCheck) { checkDependencies(beanName, mbd, filteredPds, pvs); } } applyPropertyValues(beanName, mbd, bw, pvs); }
    /**
         * Apply the given property values, resolving any runtime references
         * to other beans in this bean factory. Must use deep copy, so we
         * don't permanently modify this property.
         * @param beanName the bean name passed for better exception information
         * @param mbd the merged bean definition
         * @param bw the BeanWrapper wrapping the target object
         * @param pvs the new property values
         */
    // 使用深拷贝
    protected void applyPropertyValues(String beanName, BeanDefinition mbd, BeanWrapper bw, PropertyValues pvs) { if (pvs == null || pvs.isEmpty()) { return; } MutablePropertyValues mpvs = null; List<PropertyValue> original; if (System.getSecurityManager() != null) { //jdk安全策略 if (bw instanceof BeanWrapperImpl) { ((BeanWrapperImpl) bw).setSecurityContext(getAccessControlContext()); } } if (pvs instanceof MutablePropertyValues) { mpvs = (MutablePropertyValues) pvs; if (mpvs.isConverted()) { // Shortcut: use the pre-converted values as-is. try { bw.setPropertyValues(mpvs); return; } catch (BeansException ex) { throw new BeanCreationException( mbd.getResourceDescription(), beanName, "Error setting property values", ex); } } original = mpvs.getPropertyValueList(); } else { original = Arrays.asList(pvs.getPropertyValues()); }
    //自定义类型转换 TypeConverter converter
    = getCustomTypeConverter(); if (converter == null) { converter = bw; } BeanDefinitionValueResolver valueResolver = new BeanDefinitionValueResolver(this, beanName, mbd, converter); // Create a deep copy, resolving any references for values.
    // 创建一个深拷贝,解决所有values 的引用
    List<PropertyValue> deepCopy = new ArrayList<PropertyValue>(original.size()); boolean resolveNecessary = false; for (PropertyValue pv : original) { if (pv.isConverted()) { deepCopy.add(pv); } else { String propertyName = pv.getName(); Object originalValue = pv.getValue(); Object resolvedValue = valueResolver.resolveValueIfNecessary(pv, originalValue); Object convertedValue = resolvedValue; boolean convertible = bw.isWritableProperty(propertyName) && !PropertyAccessorUtils.isNestedOrIndexedProperty(propertyName); if (convertible) { convertedValue = convertForProperty(resolvedValue, propertyName, bw, converter); //为指定属性转换values } // Possibly store converted value in merged bean definition, // in order to avoid re-conversion for every created bean instance.
    // 合并可能转换后的值存储在bean定义,为了避免re-conversion每个创建的bean实例。
    if (resolvedValue == originalValue) { if (convertible) { pv.setConvertedValue(convertedValue); //赋值 } deepCopy.add(pv); } else if (convertible && originalValue instanceof TypedStringValue && !((TypedStringValue) originalValue).isDynamic() && !(convertedValue instanceof Collection || ObjectUtils.isArray(convertedValue))) { pv.setConvertedValue(convertedValue); deepCopy.add(pv); } else { resolveNecessary = true; deepCopy.add(new PropertyValue(pv, convertedValue)); } } } if (mpvs != null && !resolveNecessary) { mpvs.setConverted(); } // Set our (possibly massaged) deep copy. try { bw.setPropertyValues(new MutablePropertyValues(deepCopy)); } catch (BeansException ex) { throw new BeanCreationException( mbd.getResourceDescription(), beanName, "Error setting property values", ex); } }
    /**
         * Convert the given value for the specified target property.
         */
        private Object convertForProperty(Object value, String propertyName, BeanWrapper bw, TypeConverter converter) {
            if (converter instanceof BeanWrapperImpl) {
                return ((BeanWrapperImpl) converter).convertForProperty(value, propertyName);
            }
            else {
                PropertyDescriptor pd = bw.getPropertyDescriptor(propertyName);
                MethodParameter methodParam = BeanUtils.getWriteMethodParameter(pd);
                return converter.convertIfNecessary(value, pd.getPropertyType(), methodParam);
            }
        }
    @Override
        public <T> T convertIfNecessary(Object value, Class<T> requiredType, MethodParameter methodParam)
                throws TypeMismatchException {
    
            return doConvert(value, requiredType, methodParam, null);
        }
    private <T> T doConvert(Object value, Class<T> requiredType, MethodParameter methodParam, Field field)
                throws TypeMismatchException {
            try {
                if (field != null) {
                    return this.typeConverterDelegate.convertIfNecessary(value, requiredType, field);
                }
                else {
                    return this.typeConverterDelegate.convertIfNecessary(value, requiredType, methodParam);
                }
            }
            catch (ConverterNotFoundException ex) {
                throw new ConversionNotSupportedException(value, requiredType, ex);
            }
            catch (ConversionException ex) {
                throw new TypeMismatchException(value, requiredType, ex);
            }
            catch (IllegalStateException ex) {
                throw new ConversionNotSupportedException(value, requiredType, ex);
            }
            catch (IllegalArgumentException ex) {
                throw new TypeMismatchException(value, requiredType, ex);
            }
        }
    /**
         * Convert the value to the specified required type.
         * @param newValue the proposed new value
         * @param requiredType the type we must convert to
         * (or {@code null} if not known, for example in case of a collection element)
         * @param field the reflective field that is the target of the conversion
         * (may be {@code null})
         * @return the new value, possibly the result of type conversion
         * @throws IllegalArgumentException if type conversion failed
         */
        public <T> T convertIfNecessary(Object newValue, Class<T> requiredType, Field field)
                throws IllegalArgumentException {
    
            return convertIfNecessary(null, null, newValue, requiredType,
                    (field != null ? new TypeDescriptor(field) : TypeDescriptor.valueOf(requiredType)));
        }
    /**
         * Convert the value to the required type (if necessary from a String),
         * for the specified property.
         * @param propertyName name of the property
         * @param oldValue the previous value, if available (may be {@code null})
         * @param newValue the proposed new value
         * @param requiredType the type we must convert to
         * (or {@code null} if not known, for example in case of a collection element)
         * @param typeDescriptor the descriptor for the target property or field
         * @return the new value, possibly the result of type conversion
         * @throws IllegalArgumentException if type conversion failed
         */
    // 为指定属性转换值到要求的类型
    @SuppressWarnings("unchecked") public <T> T convertIfNecessary(String propertyName, Object oldValue, Object newValue, Class<T> requiredType, TypeDescriptor typeDescriptor) throws IllegalArgumentException { // Custom editor for this type? PropertyEditor editor = this.propertyEditorRegistry.findCustomEditor(requiredType, propertyName); ConversionFailedException conversionAttemptEx = null; // No custom editor but custom ConversionService specified? ConversionService conversionService = this.propertyEditorRegistry.getConversionService(); if (editor == null && conversionService != null && newValue != null && typeDescriptor != null) { TypeDescriptor sourceTypeDesc = TypeDescriptor.forObject(newValue); if (conversionService.canConvert(sourceTypeDesc, typeDescriptor)) { try { return (T) conversionService.convert(newValue, sourceTypeDesc, typeDescriptor); } catch (ConversionFailedException ex) { // fallback to default conversion logic below conversionAttemptEx = ex; } } } Object convertedValue = newValue; // Value not of required type? if (editor != null || (requiredType != null && !ClassUtils.isAssignableValue(requiredType, convertedValue))) { if (typeDescriptor != null && requiredType != null && Collection.class.isAssignableFrom(requiredType) && convertedValue instanceof String) { TypeDescriptor elementTypeDesc = typeDescriptor.getElementTypeDescriptor(); if (elementTypeDesc != null) { Class<?> elementType = elementTypeDesc.getType(); if (Class.class == elementType || Enum.class.isAssignableFrom(elementType)) { convertedValue = StringUtils.commaDelimitedListToStringArray((String) convertedValue); } } } if (editor == null) { editor = findDefaultEditor(requiredType); } convertedValue = doConvertValue(oldValue, convertedValue, requiredType, editor); } boolean standardConversion = false; if (requiredType != null) { // Try to apply some standard type conversion rules if appropriate. if (convertedValue != null) { if (Object.class == requiredType) { return (T) convertedValue; } else if (requiredType.isArray()) { // Array required -> apply appropriate conversion of elements. if (convertedValue instanceof String && Enum.class.isAssignableFrom(requiredType.getComponentType())) { convertedValue = StringUtils.commaDelimitedListToStringArray((String) convertedValue); } return (T) convertToTypedArray(convertedValue, propertyName, requiredType.getComponentType()); } else if (convertedValue instanceof Collection) { // Convert elements to target type, if determined. convertedValue = convertToTypedCollection( (Collection<?>) convertedValue, propertyName, requiredType, typeDescriptor); standardConversion = true; } else if (convertedValue instanceof Map) { // Convert keys and values to respective target type, if determined. convertedValue = convertToTypedMap( (Map<?, ?>) convertedValue, propertyName, requiredType, typeDescriptor); standardConversion = true; } if (convertedValue.getClass().isArray() && Array.getLength(convertedValue) == 1) { convertedValue = Array.get(convertedValue, 0); standardConversion = true; } if (String.class == requiredType && ClassUtils.isPrimitiveOrWrapper(convertedValue.getClass())) { // We can stringify any primitive value... return (T) convertedValue.toString(); } else if (convertedValue instanceof String && !requiredType.isInstance(convertedValue)) { if (conversionAttemptEx == null && !requiredType.isInterface() && !requiredType.isEnum()) { try { Constructor<T> strCtor = requiredType.getConstructor(String.class); return BeanUtils.instantiateClass(strCtor, convertedValue); } catch (NoSuchMethodException ex) { // proceed with field lookup if (logger.isTraceEnabled()) { logger.trace("No String constructor found on type [" + requiredType.getName() + "]", ex); } } catch (Exception ex) { if (logger.isDebugEnabled()) { logger.debug("Construction via String failed for type [" + requiredType.getName() + "]", ex); } } } String trimmedValue = ((String) convertedValue).trim(); if (requiredType.isEnum() && "".equals(trimmedValue)) { // It's an empty enum identifier: reset the enum value to null. return null; } convertedValue = attemptToConvertStringToEnum(requiredType, trimmedValue, convertedValue); standardConversion = true; } else if (convertedValue instanceof Number && Number.class.isAssignableFrom(requiredType)) { convertedValue = NumberUtils.convertNumberToTargetClass( (Number) convertedValue, (Class<Number>) requiredType); standardConversion = true; } } else { // convertedValue == null if (javaUtilOptionalEmpty != null && requiredType == javaUtilOptionalEmpty.getClass()) { convertedValue = javaUtilOptionalEmpty; } } if (!ClassUtils.isAssignableValue(requiredType, convertedValue)) { if (conversionAttemptEx != null) { // Original exception from former ConversionService call above... throw conversionAttemptEx; } else if (conversionService != null) { // ConversionService not tried before, probably custom editor found // but editor couldn't produce the required type... TypeDescriptor sourceTypeDesc = TypeDescriptor.forObject(newValue); if (conversionService.canConvert(sourceTypeDesc, typeDescriptor)) { return (T) conversionService.convert(newValue, sourceTypeDesc, typeDescriptor); } } // Definitely doesn't match: throw IllegalArgumentException/IllegalStateException StringBuilder msg = new StringBuilder(); msg.append("Cannot convert value of type '").append(ClassUtils.getDescriptiveType(newValue)); msg.append("' to required type '").append(ClassUtils.getQualifiedName(requiredType)).append("'"); if (propertyName != null) { msg.append(" for property '").append(propertyName).append("'"); } if (editor != null) { msg.append(": PropertyEditor [").append(editor.getClass().getName()).append( "] returned inappropriate value of type '").append( ClassUtils.getDescriptiveType(convertedValue)).append("'"); throw new IllegalArgumentException(msg.toString()); } else { msg.append(": no matching editors or conversion strategy found"); throw new IllegalStateException(msg.toString()); } } } if (conversionAttemptEx != null) { if (editor == null && !standardConversion && requiredType != null && Object.class != requiredType) { throw conversionAttemptEx; } logger.debug("Original ConversionService attempt failed - ignored since " + "PropertyEditor based conversion eventually succeeded", conversionAttemptEx); } return (T) convertedValue; }

    在这里,可以看出会把collection、map、set、array、String、Number、Enum等转换。具体转换细节可以去看源码。spring的源码非常多,也很复杂,我认为没必要细化到每一个方法了。

    --------------------------------------------------------------------------------------------------------------------------

    getObjectForBeanInstance(scopedInstance, name, beanName, mbd) 代码如下:

    /**
         * Get the object for the given bean instance, either the bean
         * instance itself or its created object in case of a FactoryBean.
         * @param beanInstance the shared bean instance
         * @param name name that may include factory dereference prefix
         * @param beanName the canonical bean name
         * @param mbd the merged bean definition
         * @return the object to expose for the bean
         */
    //获取一个实例的对象,无论是实例本身,或者是它创建的factoryBean
    protected Object getObjectForBeanInstance( Object beanInstance, String name, String beanName, RootBeanDefinition mbd) { // Don't let calling code try to dereference the factory if the bean isn't a factory.
    //如果不是factory bean,则不能取消引用
    if (BeanFactoryUtils.isFactoryDereference(name) && !(beanInstance instanceof FactoryBean)) { throw new BeanIsNotAFactoryException(transformedBeanName(name), beanInstance.getClass()); //点击可以看到,如果不是&开头的bean,则不是factory bean } // Now we have the bean instance, which may be a normal bean or a FactoryBean. // If it's a FactoryBean, we use it to create a bean instance, unless the // caller actually wants a reference to the factory. if (!(beanInstance instanceof FactoryBean) || BeanFactoryUtils.isFactoryDereference(name)) { //不是factory bean,则直接返回 return beanInstance; } Object object = null; if (mbd == null) { object = getCachedObjectForFactoryBean(beanName); //从一个map中检索这个bean } if (object == null) { // Return bean instance from factory. FactoryBean<?> factory = (FactoryBean<?>) beanInstance; // Caches object obtained from FactoryBean if it is a singleton. if (mbd == null && containsBeanDefinition(beanName)) { mbd = getMergedLocalBeanDefinition(beanName); } boolean synthetic = (mbd != null && mbd.isSynthetic()); object = getObjectFromFactoryBean(factory, beanName, !synthetic); } return object; }
    /**
         * Obtain an object to expose from the given FactoryBean.
         * @param factory the FactoryBean instance
         * @param beanName the name of the bean
         * @param shouldPostProcess whether the bean is subject to post-processing
         * @return the object obtained from the FactoryBean
         * @throws BeanCreationException if FactoryBean object creation failed
         * @see org.springframework.beans.factory.FactoryBean#getObject()
         */
    //获取指定的factoryBean 的公开的对象
    protected Object getObjectFromFactoryBean(FactoryBean<?> factory, String beanName, boolean shouldPostProcess) { if (factory.isSingleton() && containsSingleton(beanName)) { //如果是单例并且已经创建了单例对象 synchronized (getSingletonMutex()) { //锁定同步 Object object = this.factoryBeanObjectCache.get(beanName); if (object == null) { object = doGetObjectFromFactoryBean(factory, beanName); // Only post-process and store if not put there already during getObject() call above // (e.g. because of circular reference processing triggered by custom getBean calls)
    //
    在上面的getObject()调用过程中,如果没有将post-process和store放在那里,就只能使用它(例如,由于自定义getBean调用触发的循环引用处理)
                        Object alreadyThere = this.factoryBeanObjectCache.get(beanName);  //从缓存中取
                        if (alreadyThere != null) {
                            object = alreadyThere;
                        }
                        else {
                            if (object != null && shouldPostProcess) {
                                try {
    //执行后置处理,对应于上一篇博客中的各种后置处理
    //
    registerBeanPostProcessors(beanFactory); 这样就对应起来了啊^_^
                                    object = postProcessObjectFromFactoryBean(object, beanName);   //这个方法要着重注意,因为就是在这里做aop中做拦截
                                }
                                catch (Throwable ex) {
                                    throw new BeanCreationException(beanName,
                                            "Post-processing of FactoryBean's singleton object failed", ex);
                                }
                            }
                            this.factoryBeanObjectCache.put(beanName, (object != null ? object : NULL_OBJECT));
                        }
                    }
                    return (object != NULL_OBJECT ? object : null);
                }
            }
            else {
                Object object = doGetObjectFromFactoryBean(factory, beanName);
                if (object != null && shouldPostProcess) {
                    try {
                        object = postProcessObjectFromFactoryBean(object, beanName); //这个方法要着重注意,因为就是在这里做aop中做拦截
     } 
    catch (Throwable ex) { throw new BeanCreationException(beanName, "Post-processing of FactoryBean's object failed", ex); } } return object; } }

    先看下postProcessObjectFromFactoryBean(object, beanName),源代码如下():

    @Override
        public Object postProcessAfterInitialization(Object bean, String beanName) {
            if (bean instanceof AopInfrastructureBean) {
                // Ignore AOP infrastructure such as scoped proxies.   //标记接口,该接口指示bean是Spring AOP基础结构的一部分。特别是,这意味着任何这样的bean都不受自动代理的约束,即使切入点是匹配的。
                return bean;
            }
    
            if (bean instanceof Advised) {     //如果是通知advise
                Advised advised = (Advised) bean;
                if (!advised.isFrozen() && isEligible(AopUtils.getTargetClass(bean))) {  //如果没被冻结(可修改通知)&&符合条件,也就是说是否匹配到这个class或者说是否在这里有注入
                    // Add our local Advisor to the existing proxy's Advisor chain...
                    if (this.beforeExistingAdvisors) {  //@Beafore?这里不确定
                        advised.addAdvisor(0, this.advisor);
                    }
                    else {
                        advised.addAdvisor(this.advisor);   //@After?这里不确定
                    }
                    return bean;
                }
            }
    
            if (isEligible(bean, beanName)) {   //符合条件
                ProxyFactory proxyFactory = prepareProxyFactory(bean, beanName);   //准备代理工厂
                if (!proxyFactory.isProxyTargetClass()) {  //不是直接代理目标类以及任何接口
                    evaluateProxyInterfaces(bean.getClass(), proxyFactory);   //如果是合适代理类的接口,则添加到一个List<Class<?>> intefaces 中
                }
                proxyFactory.addAdvisor(this.advisor);   //添加到List<Advisor> advisorss 中
                customizeProxyFactory(proxyFactory);    //子类接口可以(选择)更改父类接口的实现,默认是一个空实现。可重写这个方法。
                return proxyFactory.getProxy(getProxyClassLoader());  //jdk(针对接口)或cglib(针对类)的动态代理   --这个就是之前看到的jdk和cglib 的动态代理的代码
    }
    // No async proxy needed. return bean; }

    简单介绍下 :proxyFactory.getProxy(getProxyClassLoader())

    //ProxyFactory
    
    public Object getProxy(@Nullable ClassLoader classLoader) {
            return createAopProxy().getProxy(classLoader);
        }
    
    //ProxyCreatorSupport
    
    protected final synchronized AopProxy createAopProxy() {
            if (!this.active) {
                activate();
            }
            return getAopProxyFactory().createAopProxy(this);
        }
    
    //DefaultAopProxyFactory 
    //这里决定了是使用jdk代理,或者是cglib代理。默认的是jdk代理(通过调试可知)
    
    @Override
        public AopProxy createAopProxy(AdvisedSupport config) throws AopConfigException {
            if (config.isOptimize() || config.isProxyTargetClass() || hasNoUserSuppliedProxyInterfaces(config)) {
                Class<?> targetClass = config.getTargetClass();
                if (targetClass == null) {
                    throw new AopConfigException("TargetSource cannot determine target class: " +
                            "Either an interface or a target is required for proxy creation.");
                }
                if (targetClass.isInterface() || Proxy.isProxyClass(targetClass)) {
                    return new JdkDynamicAopProxy(config);
                }
                return new ObjenesisCglibAopProxy(config);
            }
            else {
                return new JdkDynamicAopProxy(config);
            }
        }

    下面继续阅读 doGetObjectFromFactoryBean(factory, beanName) 方法,源代码如下:

    /**
         * Obtain an object to expose from the given FactoryBean.
         * @param factory the FactoryBean instance
         * @param beanName the name of the bean
         * @return the object obtained from the FactoryBean
         * @throws BeanCreationException if FactoryBean object creation failed
         * @see org.springframework.beans.factory.FactoryBean#getObject()
         */
    //用给定的factoryBean获得一个公开的对象
    private Object doGetObjectFromFactoryBean(final FactoryBean<?> factory, final String beanName) throws BeanCreationException { Object object; try { if (System.getSecurityManager() != null) { //jdk一些安全校验 AccessControlContext acc = getAccessControlContext(); try { object = AccessController.doPrivileged(new PrivilegedExceptionAction<Object>() { //用指定的方法启用和限制 @Override public Object run() throws Exception { return factory.getObject(); } }, acc); } catch (PrivilegedActionException pae) { throw pae.getException(); } } else { object = factory.getObject(); //这里有很多的实现,也是在这里实现了bean的实例化 } } catch (FactoryBeanNotInitializedException ex) { throw new BeanCurrentlyInCreationException(beanName, ex.toString()); } catch (Throwable ex) { throw new BeanCreationException(beanName, "FactoryBean threw exception on object creation", ex); } // Do not accept a null value for a FactoryBean that's not fully // initialized yet: Many FactoryBeans just return null then.
    //如果FactoryBean 尚未初始化,那么返回一个null
    if (object == null && isSingletonCurrentlyInCreation(beanName)) { throw new BeanCurrentlyInCreationException( beanName, "FactoryBean which is currently in creation returned null from getObject"); } return object; }

     -----------------------------------------------------------------------------------------------------------------------------

    最后总结,初始化的bean,最终都会注册,也就是添加到一个Map中。也就是说,IOC容器,本质上,就是一个Map。Map定义如下:

    /** Disposable bean instances: bean name --> disposable instance */

    private final Map<String, Object> disposableBeans = new LinkedHashMap<String, Object>();

  • 相关阅读:
    [Linux] VIM Practical Note
    [JAVA] JAVA 文档注释
    [JAVA] JAVA 类路径
    [JAVA] JAVA JDK 安装配置
    [Dynamic Language] Python定时任务框架
    [DataBase] MongoDB (8) 副本集
    [DataBase] MongoDB (7) MongoDB 索引
    [DabaBase] MongoDB (6) 启动、停止、相关系统配置及安全性设置
    [Dynamic Language] 用Sphinx自动生成python代码注释文档
    [JAVA] java class 基本定义 Note
  • 原文地址:https://www.cnblogs.com/drafire/p/9585583.html
Copyright © 2011-2022 走看看