Spring异步切面源码解析

spring中提供了一种异步调用的方式去让我们在方法的调用过程中来达到异步调用的结果,比如service1的a方法调用了service2的b方法,正常使用的话是a同步调用b的,但是如果我们想a异步调用b的话,也就是说可能b方法调用耗时比较长,a方法不想阻塞在b方法上面,而是b方法开启一个线程去异步调用,这时我们只需要开启spring提供的异步切面就可以简单地达到我们想要的异步调用的效果了

一.异步切面使用

添加@EnableAsync开启spring异步切面

@EnableAsync
@ComponentScan("com.zyh.springtest.async")
public class AppConfig {

    private int corePoolSize = 10;
    private int maxPoolSize = 200;
    private int queueCapacity = 10;
    private String ThreadNamePrefix = "JackExecutor-";

    @Bean
    public Executor executor() {
        ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
        executor.setCorePoolSize(corePoolSize);
        executor.setMaxPoolSize(maxPoolSize);
        executor.setQueueCapacity(queueCapacity);
        executor.setThreadNamePrefix(ThreadNamePrefix);

        // rejection-policy:当pool已经达到max size的时候,如何处理新任务
        // CALLER_RUNS:不在新线程中执行任务,而是有调用者所在的线程来执行
        executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());
        executor.initialize();
        return executor;
    }
}

在需要被异步调用的方法或者类上面加上@Async注解

@Service
public class OrderService {

    @Async
    public void queryOrder() {
        System.out.println("OrderService.queryOrder:" + Thread.currentThread().getName());
    }
}

UserService调用OrderService

@Service
public class UserService {

    @Autowired
    private OrderService orderService;

    public void queryOrder() {
        System.out.println("UserOrder.queryOrder:" + Thread.currentThread().getName());
        orderService.queryOrder();
    }
}

调用UserService的queryOrder方法

AnnotationConfigApplicationContext applicationContext = new AnnotationConfigApplicationContext(AppConfig.class);
UserOrder userOrder = applicationContext.getBean(UserOrder.class);
userOrder.queryOrder();

结果:

二.异步切面原理

之所以OrderService的queryOrder方法会被放到一个子线程中去异步调用,它的原理其实就是OrderService被代理了,在调用OrderSservice的被加上了@Async注解的queryOrder的时候,它的代理对象会去寻找适用于增强queryOrder方法异步调用的advisor,如果有advisor就会去对queryOrder方法进行开启线程异步调用的增强,那么这个用于增强异步调用功能的advisor是怎么来的呢?我们还是按照惯例,直接去看@EnableAsync注解里面做了什么

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Import(AsyncConfigurationSelector.class)

 在@EnableAsync注解中通过@Import注解往容器中导入了一个AsyncConfigurationSelector组件,很明显这是一个实现了ImportSelect的类,spring在加载bd的时候会去调用它的selectImports方法

public String[] selectImports(AdviceMode adviceMode) {
   switch (adviceMode) {
      case PROXY:
         return new String[] {ProxyAsyncConfiguration.class.getName()};
      case ASPECTJ:
         return new String[] {ASYNC_EXECUTION_ASPECT_CONFIGURATION_CLASS_NAME};
      default:
         return null;
   }
}

其中在这里又去导入了ProxyAsyncConfiguration这个配置类,直接看这个配置类

@Configuration
@Role(BeanDefinition.ROLE_INFRASTRUCTURE)
public class ProxyAsyncConfiguration extends AbstractAsyncConfiguration {

   @Bean(name = TaskManagementConfigUtils.ASYNC_ANNOTATION_PROCESSOR_BEAN_NAME)
   @Role(BeanDefinition.ROLE_INFRASTRUCTURE)
   public AsyncAnnotationBeanPostProcessor asyncAdvisor() {
      Assert.notNull(this.enableAsync, "@EnableAsync annotation metadata was not injected");
      AsyncAnnotationBeanPostProcessor bpp = new AsyncAnnotationBeanPostProcessor();
      bpp.configure(this.executor, this.exceptionHandler);
      Class<? extends Annotation> customAsyncAnnotation = this.enableAsync.getClass("annotation");
      if (customAsyncAnnotation != AnnotationUtils.getDefaultValue(EnableAsync.class, "annotation")) {
         bpp.setAsyncAnnotationType(customAsyncAnnotation);
      }
      bpp.setProxyTargetClass(this.enableAsync.getBoolean("proxyTargetClass"));
      bpp.setOrder(this.enableAsync.<Integer>getNumber("order"));
      return bpp;
   }

}

可以看到这个配置类直接给容器放入了一个AsyncAnnotationBeanPostProcessor,而这个类又是一个实现了BeanPostProcessor接口的类,所以我们直接去看它实现的前值方法和后置方法

org.springframework.aop.framework.AbstractAdvisingBeanPostProcessor#postProcessBeforeInitialization

public Object postProcessBeforeInitialization(Object bean, String beanName) {
   return bean;
}

前置方法并没有做什么,继续看后置方法

org.springframework.aop.framework.AbstractAdvisingBeanPostProcessor#postProcessAfterInitialization

public Object postProcessAfterInitialization(Object bean, String beanName) {
   if (this.advisor == null || bean instanceof AopInfrastructureBean) {
      // Ignore AOP infrastructure such as scoped proxies.
      return bean;
   }

   if (bean instanceof Advised) {
      Advised advised = (Advised) bean;
      if (!advised.isFrozen() && isEligible(AopUtils.getTargetClass(bean))) {
         // Add our local Advisor to the existing proxy's Advisor chain...
         if (this.beforeExistingAdvisors) {
            advised.addAdvisor(0, this.advisor);
         }
         else {
            advised.addAdvisor(this.advisor);
         }
         return bean;
      }
   }

   // 判断该bean是否适用于这个advisor
   if (isEligible(bean, beanName)) {
      // 创建一个ProxyFactory
      ProxyFactory proxyFactory = prepareProxyFactory(bean, beanName);
      if (!proxyFactory.isProxyTargetClass()) {
         // 判断生成代理的方式,jdk,cglib
         evaluateProxyInterfaces(bean.getClass(), proxyFactory);
      }
      // 把advisor添加到代理工厂中
      proxyFactory.addAdvisor(this.advisor);
      customizeProxyFactory(proxyFactory);
      // 生成代理对象
      return proxyFactory.getProxy(getProxyClassLoader());
   }

   // No proxy needed.
   return bean;
}

可以看到上面通过创建了一个ProxyFactory,通过这个创建的ProxyFactory最终给bena生成了代理对象,而在生成代理对象之前,还需要去判断这个bean是否需要被代理,而判断的过程是由advisor里面的pointcut去做的,但是这个advisor是哪里来的呢?

org.springframework.scheduling.annotation.AsyncAnnotationBeanPostProcessor#setBeanFactory

public void setBeanFactory(BeanFactory beanFactory) {
   super.setBeanFactory(beanFactory);

   AsyncAnnotationAdvisor advisor = new AsyncAnnotationAdvisor(this.executor, this.exceptionHandler);
   if (this.asyncAnnotationType != null) {
      advisor.setAsyncAnnotationType(this.asyncAnnotationType);
   }
   advisor.setBeanFactory(beanFactory);
   this.advisor = advisor;
}

在子类AsyncAnnotationBeanPostProcessor中的setBeanFactory方法中创建了一个AsyncAnnotationAdvisor,而这个setBeanFactory方法是在bean初始化的阶段被回调的,也就是在上面的后置方法之前被回调,所以当来到后置方法的时候,这个advisor是肯定已经被实例化的了,所以下面我们重点来看下这个AsyncAnnotationAdvisor

AsyncAnnotationAdvisor

public class AsyncAnnotationAdvisor extends AbstractPointcutAdvisor implements BeanFactoryAware {

   private Advice advice;

   private Pointcut pointcut;

   public AsyncAnnotationAdvisor() {
      this((Supplier<Executor>) null, (Supplier<AsyncUncaughtExceptionHandler>) null);
   }

   public AsyncAnnotationAdvisor(
         @Nullable Executor executor, @Nullable AsyncUncaughtExceptionHandler exceptionHandler) {

      this(SingletonSupplier.ofNullable(executor), SingletonSupplier.ofNullable(exceptionHandler));
   }
   
   @SuppressWarnings("unchecked")
   public AsyncAnnotationAdvisor(
         @Nullable Supplier<Executor> executor, @Nullable Supplier<AsyncUncaughtExceptionHandler> exceptionHandler) {

      Set<Class<? extends Annotation>> asyncAnnotationTypes = new LinkedHashSet<>(2);
      asyncAnnotationTypes.add(Async.class);
      try {
         asyncAnnotationTypes.add((Class<? extends Annotation>)
               ClassUtils.forName("javax.ejb.Asynchronous", AsyncAnnotationAdvisor.class.getClassLoader()));
      }
      catch (ClassNotFoundException ex) {
         // If EJB 3.1 API not present, simply ignore.
      }
      this.advice = buildAdvice(executor, exceptionHandler);
      this.pointcut = buildPointcut(asyncAnnotationTypes);
   }

   public void setAsyncAnnotationType(Class<? extends Annotation> asyncAnnotationType) {
      Assert.notNull(asyncAnnotationType, "'asyncAnnotationType' must not be null");
      Set<Class<? extends Annotation>> asyncAnnotationTypes = new HashSet<>();
      asyncAnnotationTypes.add(asyncAnnotationType);
      this.pointcut = buildPointcut(asyncAnnotationTypes);
   }

   @Override
   public void setBeanFactory(BeanFactory beanFactory) {
      if (this.advice instanceof BeanFactoryAware) {
         ((BeanFactoryAware) this.advice).setBeanFactory(beanFactory);
      }
   }

   @Override
   public Advice getAdvice() {
      return this.advice;
   }

   @Override
   public Pointcut getPointcut() {
      return this.pointcut;
   }

   protected Advice buildAdvice(
         @Nullable Supplier<Executor> executor, @Nullable Supplier<AsyncUncaughtExceptionHandler> exceptionHandler) {

      AnnotationAsyncExecutionInterceptor interceptor = new AnnotationAsyncExecutionInterceptor(null);
      interceptor.configure(executor, exceptionHandler);
      return interceptor;
   }

   protected Pointcut buildPointcut(Set<Class<? extends Annotation>> asyncAnnotationTypes) {
      ComposablePointcut result = null;
      for (Class<? extends Annotation> asyncAnnotationType : asyncAnnotationTypes) {
         Pointcut cpc = new AnnotationMatchingPointcut(asyncAnnotationType, true);
         Pointcut mpc = new AnnotationMatchingPointcut(null, asyncAnnotationType, true);
         if (result == null) {
            result = new ComposablePointcut(cpc);
         }
         else {
            result.union(cpc);
         }
         result = result.union(mpc);
      }
      return (result != null ? result : Pointcut.TRUE);
   }

众所周知一个advisor里面肯定会有advice以及pointcut,直接看advice是什么

protected Advice buildAdvice(
      @Nullable Supplier<Executor> executor, @Nullable Supplier<AsyncUncaughtExceptionHandler> exceptionHandler) {

   AnnotationAsyncExecutionInterceptor interceptor = new AnnotationAsyncExecutionInterceptor(null);
   interceptor.configure(executor, exceptionHandler);
   return interceptor;
}

可以看到advice就是AnnotationAsyncExecutionInterceptor,不用说AnnotationAsyncExecutionInterceptor肯定是实现了MethodInterceptor接口,最后还调用了configure方法

public void configure(@Nullable Supplier<Executor> defaultExecutor,
      @Nullable Supplier<AsyncUncaughtExceptionHandler> exceptionHandler) {

   this.defaultExecutor = new SingletonSupplier<>(defaultExecutor, () -> getDefaultExecutor(this.beanFactory));
   this.exceptionHandler = new SingletonSupplier<>(exceptionHandler, SimpleAsyncUncaughtExceptionHandler::new);
}

configure方法传了两个对象,这两个对象是通过AsyncAnnotationAdvisor的带参构造方法传进来的,逐层往上找可以看到源头就是从ProxyAsyncConfiguration的父类AbstractAsyncConfiguration传过来的

@Configuration
public abstract class AbstractAsyncConfiguration implements ImportAware {

   @Nullable
   protected AnnotationAttributes enableAsync;

   @Nullable
   protected Supplier<Executor> executor;

   @Nullable
   protected Supplier<AsyncUncaughtExceptionHandler> exceptionHandler;


   @Override
   public void setImportMetadata(AnnotationMetadata importMetadata) {
      this.enableAsync = AnnotationAttributes.fromMap(
            importMetadata.getAnnotationAttributes(EnableAsync.class.getName(), false));
      if (this.enableAsync == null) {
         throw new IllegalArgumentException(
               "@EnableAsync is not present on importing class " + importMetadata.getClassName());
      }
   }

   /**
    * Collect any {@link AsyncConfigurer} beans through autowiring.
    */
   @Autowired(required = false)
   void setConfigurers(Collection<AsyncConfigurer> configurers) {
      if (CollectionUtils.isEmpty(configurers)) {
         return;
      }
      if (configurers.size() > 1) {
         throw new IllegalStateException("Only one AsyncConfigurer may exist");
      }
      AsyncConfigurer configurer = configurers.iterator().next();
      this.executor = configurer::getAsyncExecutor;
      this.exceptionHandler = configurer::getAsyncUncaughtExceptionHandler;
   }

}

可以看到在AbstractAsyncConfiguration中通过从容器找到所有实现了AsyncConfigurer接口的bean然后分别调用getAsyncExecutor和getAsyncUncaughtExceptionHandler方法拿到executor和exceptionHandler,所以也就是说如果我们想要给spring的异步调用自定义配置executor和exceptionHandler,可以自己去实现一个类继承AsyncConfigurer接口然后实现里面的方法返回自定义的executor和exceptionHandler就可以了,如下:

@Component
public class MyAsyncConfigurer implements AsyncConfigurer {

    private int corePoolSize = 10;
    private int maxPoolSize = 200;
    private int queueCapacity = 10;
    private String ThreadNamePrefix = "MyAsyncConfigurer-executor";

    @Override
    public Executor getAsyncExecutor() {
        ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
        executor.setCorePoolSize(corePoolSize);
        executor.setMaxPoolSize(maxPoolSize);
        executor.setQueueCapacity(queueCapacity);
        executor.setThreadNamePrefix(ThreadNamePrefix);

        // rejection-policy:当pool已经达到max size的时候,如何处理新任务
        // CALLER_RUNS:不在新线程中执行任务,而是有调用者所在的线程来执行
        executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());
        executor.initialize();
        return executor;
    }
}

但是假如我们并没有通过这个方式给提供自定义的executor和exceptionHandler呢?spring是通过会有默认的executor和exceptionHandler提供吗?我们再来看AnnotationAsyncExecutionInterceptor的configure方法

public void configure(@Nullable Supplier<Executor> defaultExecutor,
      @Nullable Supplier<AsyncUncaughtExceptionHandler> exceptionHandler) {

   this.defaultExecutor = new SingletonSupplier<>(defaultExecutor, () -> getDefaultExecutor(this.beanFactory));
   this.exceptionHandler = new SingletonSupplier<>(exceptionHandler, SimpleAsyncUncaughtExceptionHandler::new);
}

可以看到如果第一个参数为空的话就会返回第二个参数的值,而对于executor这个组件来说的话,如果我们没有通过上面的方式给spring容器提供一个executor组件的话,那么就会调用getDefaultExecutor方法返回一个executor

org.springframework.aop.interceptor.AsyncExecutionInterceptor#getDefaultExecutor

protected Executor getDefaultExecutor(@Nullable BeanFactory beanFactory) {
   Executor defaultExecutor = super.getDefaultExecutor(beanFactory);
   return (defaultExecutor != null ? defaultExecutor : new SimpleAsyncTaskExecutor());
}

可以看到现实会去调用父类的getDefaultExecutor方法,如果父类返回的executor是空的话,那么就返回一个SimpleAsyncTaskExecutor,我们看下父类中是怎么拿到executor的

org.springframework.aop.interceptor.AsyncExecutionAspectSupport#getDefaultExecutor

protected Executor getDefaultExecutor(@Nullable BeanFactory beanFactory) {
   if (beanFactory != null) {
      try {
         return beanFactory.getBean(TaskExecutor.class);
      }
      catch (NoUniqueBeanDefinitionException ex) {
         logger.debug("Could not find unique TaskExecutor bean", ex);
         try {
            return beanFactory.getBean(DEFAULT_TASK_EXECUTOR_BEAN_NAME, Executor.class);
         }
         catch (NoSuchBeanDefinitionException ex2) {
            if (logger.isInfoEnabled()) {
               logger.info("More than one TaskExecutor bean found within the context, and none is named " +
                     "'taskExecutor'. Mark one of them as primary or name it 'taskExecutor' (possibly " +
                     "as an alias) in order to use it for async processing: " + ex.getBeanNamesFound());
            }
         }
      }
      catch (NoSuchBeanDefinitionException ex) {
         logger.debug("Could not find default TaskExecutor bean", ex);
         try {
            return beanFactory.getBean(DEFAULT_TASK_EXECUTOR_BEAN_NAME, Executor.class);
         }
         catch (NoSuchBeanDefinitionException ex2) {
            logger.info("No task executor bean found for async processing: " +
                  "no bean of type TaskExecutor and no bean named 'taskExecutor' either");
         }
         // Giving up -> either using local default executor or none at all...
      }
   }
   return null;
}

可以父类是从spring容器中直接找实现了TaskExecutor接口的bean,如果找不到或者找到了多个bean那么就继续去容器中寻找名称为taskExecutor并且实现了Executor接口的bean,如果还找不到就直接返回空

接下来我们直接看下advice的增强逻辑

org.springframework.aop.interceptor.AsyncExecutionInterceptor#invoke

public Object invoke(final MethodInvocation invocation) throws Throwable {
   Class<?> targetClass = (invocation.getThis() != null ? AopUtils.getTargetClass(invocation.getThis()) : null);
   Method specificMethod = ClassUtils.getMostSpecificMethod(invocation.getMethod(), targetClass);
   final Method userDeclaredMethod = BridgeMethodResolver.findBridgedMethod(specificMethod);

   // 确定该方法需要使用哪个executor
   AsyncTaskExecutor executor = determineAsyncExecutor(userDeclaredMethod);
   if (executor == null) {
      throw new IllegalStateException(
            "No executor specified and no default executor set on AsyncExecutionInterceptor either");
   }

   Callable<Object> task = () -> {
      try {
         Object result = invocation.proceed();
         if (result instanceof Future) {
            return ((Future<?>) result).get();
         }
      }
      catch (ExecutionException ex) {
         handleError(ex.getCause(), userDeclaredMethod, invocation.getArguments());
      }
      catch (Throwable ex) {
         handleError(ex, userDeclaredMethod, invocation.getArguments());
      }
      return null;
   };

   return doSubmit(task, executor, invocation.getMethod().getReturnType());
}

首先会去找到该方法需要的executor,看下是怎么去找的

protected AsyncTaskExecutor determineAsyncExecutor(Method method) {
   // 从缓存中拿到该方法对应的executor
   AsyncTaskExecutor executor = this.executors.get(method);
   if (executor == null) {
      Executor targetExecutor;
      // 获取@Async注解上面的value值
      String qualifier = getExecutorQualifier(method);
      if (StringUtils.hasLength(qualifier)) {
         // 如果@Async注解的value不为空,按照value值去spring容器中找到名称为该value值的executor
         targetExecutor = findQualifiedExecutor(this.beanFactory, qualifier);
      }
      else {
         // 如果没有在@Async注解上指定value值,就使用自己自定义的executor或者是默认的executor
         targetExecutor = this.defaultExecutor.get();
      }
      if (targetExecutor == null) {
         return null;
      }
      executor = (targetExecutor instanceof AsyncListenableTaskExecutor ?
            (AsyncListenableTaskExecutor) targetExecutor : new TaskExecutorAdapter(targetExecutor));
      // 放进缓存
      this.executors.put(method, executor);
   }
   return executor;
}

可以看到spring会根据@Async注解的value值去容器中找到对应的executor,也就是说每一个方法都可以使用不用的executor去被执行,只要executor的名称与@Async注解的value属性声明的名称一样就可以了

最后会把方法调用方到一个task中,然后调用doSubmit方法

protected Object doSubmit(Callable<Object> task, AsyncTaskExecutor executor, Class<?> returnType) {
   if (CompletableFuture.class.isAssignableFrom(returnType)) {
      return CompletableFuture.supplyAsync(() -> {
         try {
            return task.call();
         }
         catch (Throwable ex) {
            throw new CompletionException(ex);
         }
      }, executor);
   }
   else if (ListenableFuture.class.isAssignableFrom(returnType)) {
      return ((AsyncListenableTaskExecutor) executor).submitListenable(task);
   }
   else if (Future.class.isAssignableFrom(returnType)) {
      return executor.submit(task);
   }
   else {
      executor.submit(task);
      return null;
   }
}

在doSubmit方法中会根据方法的返回值去选择调用不同的executor执行方法,至此,spring异步切面调用流程就走完了

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值