SpringBoot中Web请求调用@Async方法Request共享问题

JAVA  2025-03-03 15:06  104  

在实现一个Excel异步导入功能需要异步解析excel,使用@Async注解启用了解析方法的异步功能。但在解析方法内有Feign远程调用,该接口涉及接口权限,而@Async标注的方法与web请求不在同一个线程中,获取不到request。因此需要从上传接口传递request至异步方法。

了解到RequestContextHolder.setRequestAttributes(RequestAttributes attributes, boolean inheritable)方法

该方法是 Spring 框架提供的一个工具方法,用于在当前线程中手动设置请求上下文(RequestAttributes)。它主要用于跨线程传递和管理请求的上下文。

我们需要在开启新线程前通过该方法手动设置当前的请求,以在多线程中访问到当前的request请求对象。

但是我在设置后,获取到的request为空。最后发现是excel解析完成时,之前的导入接口已经完成响应,request对象已经被销毁回收了。

后又了解到AsyncContext,它用于控制异步请求的生命周期
HttpServletRequest中提供了一个startAsync()方法用于启动异步处理,它会返回 AsyncContext 对象。此时request在标记异步请求完成前不会被回收。

在后台任务完成后,调用 asyncContext.complete() 来标记异步请求的完成。

示例代码:

private AsyncContext asyncContext = null;
public void import(MultipartFile file){
    ServletRequestAttributes sra = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
    RequestContextHolder.setRequestAttributes(sra, true);
    if (sra != null) {
        asyncContext = sra.getRequest().startAsync();
    }
    // 调用异步解析方法
    parseFile(file)
}


@Async
public void parseFile(MultipartFile file){
    // 一些耗时内容
    ServletRequestAttributes sra = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
    RequestContextHolder.setRequestAttributes(sra, true);
    // 此时能够正常完成Feign调用(已自定义RequestInterceptor拦截器,将所需信息传递)
    xxFeignClient.xxxxx();
    // 完成异步处理
    asyncContext.complete();
}

参考:记一次springboot @Async处理导致后续request请求参数获取为空的坑


发布于 2025-03-03 15:06, 最后修改于2025-03-03 15:06