在《spring中BeanPostProcessor之二:CommonAnnotationBeanPostProcessor(01)》中分析了CommonAnnotationBeanPostProcessor类中的postProcessMergedBeanDefinition方法的作用,即是对类中的@Resources、@WebServiceRef、@EJB三个注解进行解析并缓存起来,以便后续执行postProcessProperties方法的时候用到缓存的信息。在spring启动过程中还有一个和CommonAnnotationBeanPostProcessor类相似的bean后置处理器,该类就是AutowiredAnnotationBeanPostProcessor,该bean后置处理器的作用是处理@Autowired、@Value、@Inject注解。

一、概述

前面说到AutowiredAnnotationBeanPostProcessor类是解析@Autowired注解的,那么该注解的作用是什么那,是怎么定义的那

  1. @Target({ElementType.CONSTRUCTOR, ElementType.METHOD, ElementType.PARAMETER, ElementType.FIELD, ElementType.ANNOTATION_TYPE})
  2. @Retention(RetentionPolicy.RUNTIME)
  3. @Documented
  4. public @interface Autowired {
  5.  
  6. /**
  7. * Declares whether the annotated dependency is required.
  8. * <p>Defaults to {@code true}.
  9. */
  10. boolean required() default true;
  11.  
  12. }

上面是该注解的定义,该注解的作用是自动注入,该注解是Spring提供的注解(@Resource、@WebServiceRef、@EJB均是java提供的)。

AutowriedAnnotationBeanPostProcessor要解析@Autowired注解那么按照前面分析的CommonAnnotationBeanPostProcessor和InitDestroyBeanPostProcessor两个类,必须要先有要解析的类型,也就是初始化解析的类型,看AutoworedAnnotationBeanPostProcessor的构造方法,

  1. @SuppressWarnings("unchecked")
  2. public AutowiredAnnotationBeanPostProcessor() {
  3. this.autowiredAnnotationTypes.add(Autowired.class);
  4. this.autowiredAnnotationTypes.add(Value.class);
  5. try {
  6. this.autowiredAnnotationTypes.add((Class<? extends Annotation>)
  7. ClassUtils.forName("javax.inject.Inject", AutowiredAnnotationBeanPostProcessor.class.getClassLoader()));
  8. logger.trace("JSR-330 'javax.inject.Inject' annotation found and supported for autowiring");
  9. }
  10. catch (ClassNotFoundException ex) {
  11. // JSR-330 API not available - simply skip.
  12. }
  13. }

上面是其默认的构造方法,可以看到向autowiredAnnotationTypes中加了三个注解:@Autowired、@Value、@Inject,其中@Inject是java中的注解,其余两个均是Spring提供的注解。那么这里其实是说明AutowiredAnnotationBeanPostProcessor类是解析这三个注解的,我们继续往下分析。

二、详述

1、方法概述

下面看AutoWiredAnnotationBeanPostProcessor类中的方法,

上面给出了AutoWiredAnnotationBeanPostProcessor类中的主要的方法,重点看postProcessMergedBeanDefinition和postProcessProperties方法,postProcessPropertyValue方法在前边已经说过该方法已经废弃了,调用的是postProcessProperties方法。

2、postProcessMergedBeanDefinition

该方法的作用是解析类中标记了@AutoWired、@Value、@Inject注解的属性和方法,下面看具体的方法定义,

  1. @Override
  2. public void postProcessMergedBeanDefinition(RootBeanDefinition beanDefinition, Class<?> beanType, String beanName) {
  3. InjectionMetadata metadata = findAutowiringMetadata(beanName, beanType, null);
  4. metadata.checkConfigMembers(beanDefinition);
  5. }

2.1、findAutowiringMetadata

下面看findAutowiringMetadata方法

  1. private InjectionMetadata findAutowiringMetadata(String beanName, Class<?> clazz, @Nullable PropertyValues pvs) {
  2. // Fall back to class name as cache key, for backwards compatibility with custom callers.
  3. String cacheKey = (StringUtils.hasLength(beanName) ? beanName : clazz.getName());
  4. // Quick check on the concurrent map first, with minimal locking.
    //从缓存中获得该类的信息

  5. InjectionMetadata metadata = this.injectionMetadataCache.get(cacheKey);
    //判断是否需要刷新缓存
  6. if (InjectionMetadata.needsRefresh(metadata, clazz)) {
  7. synchronized (this.injectionMetadataCache) {
  8. metadata = this.injectionMetadataCache.get(cacheKey);
  9. if (InjectionMetadata.needsRefresh(metadata, clazz)) {
  10. if (metadata != null) {
  11. metadata.clear(pvs);
  12. }
    //查找目标类clazz中的标识了@AutoWired、@Value、@Inejct注解
  13. metadata = buildAutowiringMetadata(clazz);
  14. this.injectionMetadataCache.put(cacheKey, metadata);
  15. }
  16. }
  17. }
  18. return metadata;
  19. }

从上面的代码中可以看出最终是把标识了@AutoWired、@Value、@Inject注解的方法或字段信息封装为Metadata然后放在了injectionMetadataCache中,重点看buildAutowiringMetadata方法,

  1. private InjectionMetadata buildAutowiringMetadata(final Class<?> clazz) {
  2. /**autowiredAnnotationTypes中得值为
  3. * @AutoWired org.springframework.beans.factory.annotation.Autowired
  4. * @Value org.springframework.beans.factory.annotation.Value
  5. * @Inject javax.inject.Inject
  6. *
  7. */
  8.  
  9. if (!AnnotationUtils.isCandidateClass(clazz, this.autowiredAnnotationTypes)) {
  10. return InjectionMetadata.EMPTY;
  11. }
  12.  
  13. List<InjectionMetadata.InjectedElement> elements = new ArrayList<>();
  14. Class<?> targetClass = clazz;
  15.  
  16. do {
  17. final List<InjectionMetadata.InjectedElement> currElements = new ArrayList<>();
  18.  
  19. //判断字段上是否存在autowiredAnnotationTypes中的注解
  20. ReflectionUtils.doWithLocalFields(targetClass, field -> {
  21. MergedAnnotation<?> ann = findAutowiredAnnotation(field);
  22. if (ann != null) {
  23. if (Modifier.isStatic(field.getModifiers())) {
  24. if (logger.isInfoEnabled()) {
  25. logger.info("Autowired annotation is not supported on static fields: " + field);
  26. }
  27. return;
  28. }
  29. boolean required = determineRequiredStatus(ann);
  30. currElements.add(new AutowiredFieldElement(field, required));
  31. }
  32. });
  33.  
  34. //判断方法上是否存在autowiredAnnotationTypes中的注解
  35. ReflectionUtils.doWithLocalMethods(targetClass, method -> {
  36. Method bridgedMethod = BridgeMethodResolver.findBridgedMethod(method);
  37. if (!BridgeMethodResolver.isVisibilityBridgeMethodPair(method, bridgedMethod)) {
  38. return;
  39. }
  40. MergedAnnotation<?> ann = findAutowiredAnnotation(bridgedMethod);
  41. if (ann != null && method.equals(ClassUtils.getMostSpecificMethod(method, clazz))) {
  42. if (Modifier.isStatic(method.getModifiers())) {
  43. if (logger.isInfoEnabled()) {
  44. logger.info("Autowired annotation is not supported on static methods: " + method);
  45. }
  46. return;
  47. }
  48. if (method.getParameterCount() == 0) {
  49. if (logger.isInfoEnabled()) {
  50. logger.info("Autowired annotation should only be used on methods with parameters: " +
  51. method);
  52. }
  53. }
  54. boolean required = determineRequiredStatus(ann);
  55. PropertyDescriptor pd = BeanUtils.findPropertyForMethod(bridgedMethod, clazz);
  56. currElements.add(new AutowiredMethodElement(method, required, pd));
  57. }
  58. });
  59.  
  60. elements.addAll(0, currElements);
  61. targetClass = targetClass.getSuperclass();
  62. }
  63. while (targetClass != null && targetClass != Object.class);
  64.  
  65. return InjectionMetadata.forElements(elements, clazz);
  66. }

该代码比较多,主要是对目标类中的方法和字段信息进行了检查,判断是否标注了@AutoWired、@Value、@Inject三个注解,最后返回InjectionMetadata.forElements该方法是做什么的那,由于前边生成的对象是elements的对象,看elements对象的类型,

  1. List<InjectionMetadata.InjectedElement> elements = new ArrayList<>();

是一个ArrayList类型,泛型是InjectionMetadata.InejctedElement,下面看该方法,

  1. public static InjectionMetadata forElements(Collection<InjectedElement> elements, Class<?> clazz) {
  2. return (elements.isEmpty() ? InjectionMetadata.EMPTY : new InjectionMetadata(clazz, elements));
  3. }

从上面的代码可以看到,最终是new了一个InjectionMetadata的实例。最终buildAutowiringMetadata方法返回的是一个InjectionMetadata的实例。

buildAutowiringMetadata方法执行完以后,在findAutowiringMetadata方法中,把返回的InjectionMetadata实例放入了injectionMetadataCache中,最终返回一个InjectionMetadata实例。

2.2、checkConfigMembers

在postProcessMergedBeanDefinition方法中的第二行代码即调用了checkConfigMembers方法

  1. metadata.checkConfigMembers(beanDefinition);

该方法的定义如下,

  1. public void checkConfigMembers(RootBeanDefinition beanDefinition) {
  2. Set<InjectedElement> checkedElements = new LinkedHashSet<>(this.injectedElements.size());
  3. for (InjectedElement element : this.injectedElements) {
  4. Member member = element.getMember();
  5. if (!beanDefinition.isExternallyManagedConfigMember(member)) {
  6. beanDefinition.registerExternallyManagedConfigMember(member);
  7. checkedElements.add(element);
  8. if (logger.isTraceEnabled()) {
  9. logger.trace("Registered injected element on class [" + this.targetClass.getName() + "]: " + element);
  10. }
  11. }
  12. }
  13. this.checkedElements = checkedElements;
  14. }

从上面的代码中可以看出首先new了一个checkedElements,使用的是injectedElements的长度,injectedElements是什么那,怎么赋值的那。在buildAutowiringMetadata方法的最后调用了InectionMetadata.forElements方法,在该方法中最后生成了一个InjectionMetadata对象,传入了elements对象,便是该对象。

checkConfiMembers方法主要是调用了beanDefintion.isExternallyManagedConfigMemgber方法,该方法暂时不讨论。

3、postProcessProperties

上面分析了postProcessMergedBeanDefinition方法后,我们知道该方法的作用就是收集类中的标注了@AutoWired、@Value、@Inject注解的字段或方法,那么postProcessProperties方法便是在进行赋值的时候调用的,

  1. //完成@AutoWired属性的注入
  2. @Override
  3. public PropertyValues postProcessProperties(PropertyValues pvs, Object bean, String beanName) {
  4. //再次获取了类中标注了@AutoWired、@Value、@Inject属性的信息
  5. InjectionMetadata metadata = findAutowiringMetadata(beanName, bean.getClass(), pvs);
  6. try {
  7. //属性注入
  8. metadata.inject(bean, beanName, pvs);
  9. }
  10. catch (BeanCreationException ex) {
  11. throw ex;
  12. }
  13. catch (Throwable ex) {
  14. throw new BeanCreationException(beanName, "Injection of autowired dependencies failed", ex);
  15. }
  16. return pvs;
  17. }

在该方法中又一次获取了类中标注了@AutoWired、@Value、@Inject属性的信息,重点是下面这行代码,

  1. //属性注入
  2. metadata.inject(bean, beanName, pvs);

下面看inject方法,

  1. public void inject(Object target, @Nullable String beanName, @Nullable PropertyValues pvs) throws Throwable {
  2. Collection<InjectedElement> checkedElements = this.checkedElements;
  3. //如果checkedElements为空,则取injectedElements
  4. Collection<InjectedElement> elementsToIterate =
  5. (checkedElements != null ? checkedElements : this.injectedElements);
  6. if (!elementsToIterate.isEmpty()) {
  7. for (InjectedElement element : elementsToIterate) {
  8. if (logger.isTraceEnabled()) {
  9. logger.trace("Processing injected element of bean '" + beanName + "': " + element);
  10. }
  11. //进行属性注入
  12. element.inject(target, beanName, pvs);
  13. }
  14. }
  15. }

上面在进行属性注入的时候调用了element.inject方法,该方法在InjectionMetadata.InjectedElement类中,进去该方法看到如下,

  1. /**
  2. * Either this or {@link #getResourceToInject} needs to be overridden.
  3. */
  4. protected void inject(Object target, @Nullable String requestingBeanName, @Nullable PropertyValues pvs)
  5. throws Throwable {
  6.  
  7. if (this.isField) {
  8. Field field = (Field) this.member;
  9. ReflectionUtils.makeAccessible(field);
  10. field.set(target, getResourceToInject(target, requestingBeanName));
  11. }
  12. else {
  13. if (checkPropertySkipping(pvs)) {
  14. return;
  15. }
  16. try {
  17. Method method = (Method) this.member;
  18. ReflectionUtils.makeAccessible(method);
  19. method.invoke(target, getResourceToInject(target, requestingBeanName));
  20. }
  21. catch (InvocationTargetException ex) {
  22. throw ex.getTargetException();
  23. }
  24. }
  25. }

看这方法的注释,意思是需要覆盖该方法,也就是说这里调用的不是上面的inject方法,在回到下面的代码

  1. public void inject(Object target, @Nullable String beanName, @Nullable PropertyValues pvs) throws Throwable {
  2. Collection<InjectedElement> checkedElements = this.checkedElements;
  3. //如果checkedElements为空,则取injectedElements
  4. Collection<InjectedElement> elementsToIterate =
  5. (checkedElements != null ? checkedElements : this.injectedElements);
  6. if (!elementsToIterate.isEmpty()) {
  7. for (InjectedElement element : elementsToIterate) {
  8. if (logger.isTraceEnabled()) {
  9. logger.trace("Processing injected element of bean '" + beanName + "': " + element);
  10. }
  11. //进行属性注入
  12. element.inject(target, beanName, pvs);
  13. }
  14. }
  15. }

遍历elementsToIterate,通过调试我们看到这里的element是下面的类型

再来看AutowiredFieldElement是什么,

AutowiredFieldElement是AutowiredAnnotationBeanPostProcessor中的内部类,继承了InjectionMetadata.InjectedElement类,上面提到了该方法,那么该类中肯定覆盖了inject方法

  1. @Override
  2. protected void inject(Object bean, @Nullable String beanName, @Nullable PropertyValues pvs) throws Throwable {
  3. Field field = (Field) this.member;
  4. Object value;
  5. if (this.cached) {
  6. value = resolvedCachedArgument(beanName, this.cachedFieldValue);
  7. }
  8. else {
  9. DependencyDescriptor desc = new DependencyDescriptor(field, this.required);
  10. desc.setContainingClass(bean.getClass());
  11. Set<String> autowiredBeanNames = new LinkedHashSet<>(1);
  12. Assert.state(beanFactory != null, "No BeanFactory available");
  13. TypeConverter typeConverter = beanFactory.getTypeConverter();
  14. try {
  15. value = beanFactory.resolveDependency(desc, beanName, autowiredBeanNames, typeConverter);
  16. }
  17. catch (BeansException ex) {
  18. throw new UnsatisfiedDependencyException(null, beanName, new InjectionPoint(field), ex);
  19. }
  20. synchronized (this) {
  21. if (!this.cached) {
  22. if (value != null || this.required) {
  23. this.cachedFieldValue = desc;
  24. registerDependentBeans(beanName, autowiredBeanNames);
  25. if (autowiredBeanNames.size() == 1) {
  26. String autowiredBeanName = autowiredBeanNames.iterator().next();
  27. if (beanFactory.containsBean(autowiredBeanName) &&
  28. beanFactory.isTypeMatch(autowiredBeanName, field.getType())) {
  29. this.cachedFieldValue = new ShortcutDependencyDescriptor(
  30. desc, autowiredBeanName, field.getType());
  31. }
  32. }
  33. }
  34. else {
  35. this.cachedFieldValue = null;
  36. }
  37. this.cached = true;
  38. }
  39. }
  40. }
  41. if (value != null) {
  42. ReflectionUtils.makeAccessible(field);
  43. field.set(bean, value);
  44. }
  45. }
  46. }

此方法的具体执行逻辑暂时不说。

三、使用场景

上面大体分析了AutowiredAnnotationBeanPostProcessor类中的postProcessMergedBeanDefinition和postProcessProperties两个方法,了解了其作用及执行时机,文中遗留的问题后面会继续分析。

有不当之处,欢迎指正,感谢!

spring中BeanPostProcessor之四:AutowiredAnnotationBeanPostProcessor(01)的更多相关文章

  1. spring中BeanPostProcessor之三:InitDestroyAnnotationBeanPostProcessor(01)

    在<spring中BeanPostProcessor之二:CommonAnnotationBeanPostProcessor(01)>一文中,分析到在调用CommonAnnotationB ...

  2. spring中BeanPostProcessor之一:InstantiationAwareBeanPostProcessor(01)

    在spring中beanPostProcessor绝对是开天辟地的产物,给了程序员很多自主权,beanPostProcessor即常说的bean后置处理器. 一.概览 先来说下Instantiatio ...

  3. Spring中BeanPostProcessor

    Spring中BeanPostProcessor 前言: 本文旨在介绍Spring动态配置数据源的方式,即对一个DataSource的配置诸如jdbcUrl,user,password,driverC ...

  4. spring中BeanPostProcessor之二:CommonAnnotationBeanPostProcessor(01)

    在上篇博客中分享了InstantiationAwareBeanPostProcessor接口中的四个方法,分别对其进行了详细的介绍,在文末留下了一个问题,那就是postProcessPropertie ...

  5. spring(三):spring中BeanPostProcessor的使用

    spring中实现BeanPostProcessor的后置处理器 ApplicationContextAwareProcessor 进入该实现类内部 可以看到:该类帮我们组建IOC容器,判断我们的be ...

  6. spring中BeanPostProcessor之一:InstantiationAwareBeanPostProcessor(03)

    前面介绍了InstantiationAwareBeanPostProcessor后置处理器的postProcessBeforeInstantiation和postProcessAfterInstant ...

  7. spring中BeanPostProcessor之一:InstantiationAwareBeanPostProcessor(02)

    在上篇博客中写道了bean后置处理器InstantiationAwareBeanPostProcessor,只介绍了其中一个方法的作用及用法,现在来看postProcessBeforeInstanti ...

  8. Spring中的BeanPostProcessor

    一.何谓BeanProcessor BeanPostProcessor是SpringFramework里非常重要的核心接口之一,我先贴出一段源代码: /* * Copyright 2002-2015 ...

  9. 通过BeanPostProcessor理解Spring中Bean的生命周期

    通过BeanPostProcessor理解Spring中Bean的生命周期及AOP原理 Spring源码解析(十一)Spring扩展接口InstantiationAwareBeanPostProces ...

随机推荐

  1. golang:net/http理解总结

    Go语言标准库内建提供了net/http包,涵盖了HTTP客户端和服务端的具体实现.使用net/http包,我们可以很方便地编写HTTP客户端或服务端的程序. http服务端的创建流程 在使用http ...

  2. SSH实现免密登陆

    SSH实现免密登陆配置 ssh实现免密码登录的配置过程,主要分为以下几个步骤: serverA生成密钥,包括私钥和公钥 serverA将公钥传到serverB上 serverA上配置serverB登陆 ...

  3. Linux软件安装管理之——dpkg与apt-*详解

    Linux软件安装管理之--dpkg与apt-*详解 [Linux软件安装管理系列]- - 传送门: - -<Linux软件安装管理之--源码安装详解> - -<Linux软件安装管 ...

  4. Linux_WEB访问控制示例(使用IPADDR类型)

    前言: WEB服务使用访问控制,可以控制IP.主机名.以及某个网段的IP去访问我们的WEB服务,从而加减少流量的访问 一.使用IP控制访问 1.在/var/www/html下创建一个可访问的测试页面 ...

  5. 1.1Ubuntu安装

    在虚拟机中安装 Ubuntu 步骤 安装前的准备和基本安装 设置语言环境 安装常用软件 1. 安装前的准备和基本安装 1.1 安装前的准备 访问 http://cn.ubuntu.com/downlo ...

  6. MyBatis 缓存机制(十三)

    什么是缓存 缓存就是内存中的一个对象,用于对数据库查询结果的保存,用于减少与数据库的交互次数从而降低数据库的压力,进而提高响应速度. MyBatis 缓存机制原理 Mybatis 缓存机制原理是将第一 ...

  7. 8.8-9 fsck、dd

    8.8 fsck:检查并修复Linux文件系统 fsck命令用于检查并修复文件系统中的错误,即针对有问题的系统或磁盘进行修复,类似的命令还有e2fsck命令.有关fsck的使用需要特别注意的是:    ...

  8. STM32电路设计注意

    以后画STM32的电路板 VDDA一定要接 张JF说  VDDA是给内部的时钟电路供电的 还有一定要留 串口或者  下载调试口(串口) 或者显示器接口 输入输出设备最好都留着 这样才能方便调试

  9. 安全漏洞扫描工具 burpsuite V1.7.32 资料

    安装包下载地址:http://www.downxia.com/downinfo/229728.html 实战教程:https://t0data.gitbooks.io/burpsuite/conten ...

  10. Python数模笔记-PuLP库(1)线性规划入门

    1.什么是线性规划 线性规划(Linear programming),在线性等式或不等式约束条件下求解线性目标函数的极值问题,常用于解决资源分配.生产调度和混合问题.例如: max fx = 2*x1 ...