在实际开发过程中我们需要父子之间传递一些数据,比如用户信息等。该文章从5种解决方案解决父子之间数据传递困扰
用户工具类 UserUtils
- /**
- *使用ThreadLocal存储共享的数据变量,如登录的用户信息
- */
- public class UserUtils {
- private static final ThreadLocal
userLocal=new ThreadLocal<>(); -
- public static String getUserId(){
- return userLocal.get();
- }
- public static void setUserId(String userId){
- userLocal.set(userId);
- }
-
- public static void clear(){
- userLocal.remove();
- }
-
- }
- 复制代码
自定义CustomTaskDecorator
- /**
- * 线程池修饰类
- */
- public class CustomTaskDecorator implements TaskDecorator {
- @Override
- public Runnable decorate(Runnable runnable) {
- // 获取主线程中的请求信息(我们的用户信息也放在里面)
- String robotId = UserUtils.getUserId();
- System.out.println(robotId);
- return () -> {
- try {
- // 将主线程的请求信息,设置到子线程中
- UserUtils.setUserId(robotId);
- // 执行子线程,这一步不要忘了
- runnable.run();
- } finally {
- // 线程结束,清空这些信息,否则可能造成内存泄漏
- UserUtils.clear();
- }
- };
- }
- }
- 复制代码
ExecutorConfig
在原来的基础上增加 executor.setTaskDecorator(new CustomTaskDecorator());
- @Bean(name = "asyncServiceExecutor")
- public Executor asyncServiceExecutor() {
- log.info("start asyncServiceExecutor----------------");
- //ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
- //使用可视化运行状态的线程池
- ThreadPoolTaskExecutor executor = new VisiableThreadPoolTaskExecutor();
- //配置核心线程数
- executor.setCorePoolSize(corePoolSize);
- //配置最大线程数
- executor.setMaxPoolSize(maxPoolSize);
- //配置队列大小
- executor.setQueueCapacity(queueCapacity);
- //配置线程池中的线程的名称前缀
- executor.setThreadNamePrefix(namePrefix);
-
- // rejection-policy:当pool已经达到max size的时候,如何处理新任务
- // CALLER_RUNS:不在新线程中执行任务,而是有调用者所在的线程来执行
- executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());
-
- //增加线程池修饰类
- executor.setTaskDecorator(new CustomTaskDecorator());
- //增加MDC的线程池修饰类
- //executor.setTaskDecorator(new MDCTaskDecorator());
- //执行初始化
- executor.initialize();
- log.info("end asyncServiceExecutor------------");
- return executor;
- }
- 复制代码
AsyncServiceImpl
- /**
- * 使用ThreadLocal方式传递
- * 带有返回值
- * @throws InterruptedException
- */
- @Async("asyncServiceExecutor")
- public CompletableFuture<String> executeValueAsync2() throws InterruptedException {
- log.info("start executeValueAsync");
- System.out.println("异步线程执行返回结果......+");
- log.info("end executeValueAsync");
- return CompletableFuture.completedFuture(UserUtils.getUserId());