《异步编程之美》— 全栈修仙《Java 8 CompletableFuture 对比 ES6 Promise 以及Spring @Async》

devtools/2025/1/14 20:54:30/

   哈喽,大家好!在平常开发过程中会遇到许多意想不到的坑,本篇文章就记录在开发过程中遇到一些常见的问题,看了许多博主的异步编程,我只能说一言难尽。本文详细的讲解了异步编程之美,是不可多得的好文,建议细细品尝。文章末尾附有思维导图以及参考文档。

        首先,我们得弄明白什么异步?JavaScript 语言的执行环境是单线程的,异步编程对于 JavaScript 来说必不可少。JavaScript 传统异步解决方案主要是通过回调函数,而回调函数最大的问题就是 Callback Hell。所以 ES6 标准提供的 Promise 对象,专门用于解决异步编程的问题。而 Java 语言是一个支持多线程的语言,语法以同步为主,在实际开发中很少需要用到大量的异步编程。但是要想追求更高的性能,异步通常是更好的选择。例如 Servlet 3 的异步支持、Spring 5 提供的 Spring WebFlux 等,都是为了追求更高的性能。和 JavaScript 一样,传统的 Callback 方式处理 Java 异步也会有 Callback Hell 问题,所以在 Java 8 中新增了和 ES6 的 Promise 类似的对象: java.util.concurrent.CompletableFuture 。

        其次,类似与前端 Promise 代表 异步对象,类似Java中的 CompletableFuture。Promise 是现代 JavaScript 中异步编程的基础,是一个由异步函数返回的可以向我们指示当前操作所处的状态的对象。在 Promise 返回给调用者的时候,操作往往还没有完成,但 Promise 对象可以让我们操作最终完成时对其进行处理(无论成功还是失败)。

        最后,@Async是Spring提供的一个异步注解,默认采用SimpleAsyncTaskExecutor线程池,该线程池不是真正意义上的线程池。使用此线程池无法实现线程重用,每次调用都会新建一条线程。若系统中不断的创建线程,最终会导致系统占用内存过高,引发OutOfMemoryError错误。所以我们得自定义线程池

public void execute(Runnable task, long startTimeout) {Assert.notNull(task, "Runnable must not be null");Runnable taskToUse = this.taskDecorator != null ? this.taskDecorator.decorate(task) : task;//判断是否开启限流,默认为否if (this.isThrottleActive() && startTimeout > 0L) {//执行前置操作,进行限流this.concurrencyThrottle.beforeAccess();this.doExecute(new SimpleAsyncTaskExecutor.ConcurrencyThrottlingRunnable(taskToUse));} else {//未限流的情况,执行线程任务this.doExecute(taskToUse);}}protected void doExecute(Runnable task) {//不断创建线程Thread thread = this.threadFactory != null ? this.threadFactory.newThread(task) : this.createThread(task);thread.start();
}//创建线程
public Thread createThread(Runnable runnable) {//指定线程名,task-1,task-2...Thread thread = new Thread(this.getThreadGroup(), runnable, this.nextThreadName());thread.setPriority(this.getThreadPriority());thread.setDaemon(this.isDaemon());return thread;
}
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.scheduling.annotation.EnableAsync;
import org.springframework.scheduling.concurrent.ThreadPoolTaskExecutor;import java.util.concurrent.ThreadPoolExecutor;/*** 描述:异步配置2* */
@Configuration
@EnableAsync    // 可放在启动类上或单独的配置类
public class AsyncConfiguration2 {@Bean(name = "asyncPoolTaskExecutor")public ThreadPoolTaskExecutor executor() {ThreadPoolTaskExecutor taskExecutor = new ThreadPoolTaskExecutor();//核心线程数taskExecutor.setCorePoolSize(10);//线程池维护线程的最大数量,只有在缓冲队列满了之后才会申请超过核心线程数的线程taskExecutor.setMaxPoolSize(100);//缓存队列taskExecutor.setQueueCapacity(50);//许的空闲时间,当超过了核心线程出之外的线程在空闲时间到达之后会被销毁taskExecutor.setKeepAliveSeconds(200);//异步方法内部线程名称taskExecutor.setThreadNamePrefix("async-");/*** 当线程池的任务缓存队列已满并且线程池中的线程数目达到maximumPoolSize,如果还有任务到来就会采取任务拒绝策略* 通常有以下四种策略:* ThreadPoolExecutor.AbortPolicy:丢弃任务并抛出RejectedExecutionException异常。* ThreadPoolExecutor.DiscardPolicy:也是丢弃任务,但是不抛出异常。* ThreadPoolExecutor.DiscardOldestPolicy:丢弃队列最前面的任务,然后重新尝试执行任务(重复此过程)* ThreadPoolExecutor.CallerRunsPolicy:重试添加当前的任务,自动重复调用 execute() 方法,直到成功*/taskExecutor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());taskExecutor.initialize();return taskExecutor;}
}
//使用异步编程操作大量数据 List<Long> collect = examSysQuestionReals.stream().map(i -> CompletableFuture.supplyAsync(i::getId)).map(CompletableFuture::join).collect(Collectors.toList());/** 与普通stream.map()对比优化后的代码中,stream.map() 分为两步:
第一次 map():将每个 examSysQuestionReal 对象转换为一个 CompletableFuture,该异步任务在后台线程(通常是线程池中的线程)中执行 i.getId() 方法。这意味着多个 getId() 操作可以同时进行,实现了并行处理。
第二次 map():对上一步产生的 CompletableFuture 列表调用 join() 方法,等待所有异步任务完成并获取它们的结果。这些结果随后被收集到一个新的 List<Long> 中。
区别总结:
执行模式:直接使用 stream.map() 时,映射操作是同步且顺序执行的;优化后的代码则利用 CompletableFuture 实现了异步并行执行。
性能:对于耗时的 getId() 操作(例如涉及数据库查询或其他远程服务调用),优化后的代码能利用多核处理器的能力,通过并行处理显著减少整体处理时间。而直接使用 stream.map() 只能在单一线程中顺序执行,无法利用多核优势,处理大量数据或耗时操作时可能效率较低。
资源消耗:优化后的代码引入了异步任务,可能增加线程池的使用和上下文切换的开销。然而,只要 getId() 操作的并行效益超过这些开销,总体上仍能提高性能。直接使用 stream.map() 无需额外的线程池资源,但在处理大规模或耗时任务时可能会因无法并行而显得低效。
综上所述,直接使用 stream.map() 适用于同步、轻量级且无需并行处理的场景。而优化后的代码结合 CompletableFuture 更适合处理可能耗时、受益于并行计算的任务,以提高程序的整体执行效率。在实际应用中,应根据具体需求和性能指标选择合适的方法///进阶,@Async与CompletableFuture
/**
在这个示例中,performComplexAsyncTask() 方法被标记为 @Async,由 Spring 异步执行。方法内部使用 CompletableFuture 实现了多个步骤的异步任务创建、组合和结果处理。这样既利用了 Spring 的异步方法抽象,又充分利用了 CompletableFuture 的灵活性和控制力。
总结来说,CompletableFuture 和 @Async 可以分别进行练习,然后在实践中结合使用,以适应不同复杂度和需求的异步编程场景。
/
@Service
public class AsyncService {@Asyncpublic CompletableFuture<String> performComplexAsyncTask(String input) {// Step 1: 异步获取数据CompletableFuture<String> dataFuture = CompletableFuture.supplyAsync(() -> {// 这里可能是耗时的数据库查询或网络请求return fetchData(input);});// Step 2: 异步处理数据,依赖于第一步的结果CompletableFuture<String> processedDataFuture = dataFuture.thenApply(this::processData);// Step 3: 异步发送通知,不依赖于前两步的结果,可以并发执行CompletableFuture<Void> notificationFuture = CompletableFuture.runAsync(() -> {sendNotification();});// Step 4: 等待所有异步操作完成return CompletableFuture.allOf(processedDataFuture, notificationFuture).thenApply(unused -> {// 返回最终处理结果或相关信息return processedDataFuture.join();});}// 其他方法:fetchData(), processData(), sendNotification()
}/**在实际应用中,CompletableFuture 和 @Async 可以结合使用,发挥各自的优势。
使用 @Async 注解标记那些业务逻辑相对独立、适合作为单独任务执行的方法。这有助于简化代码结构,将异步处理逻辑从业务逻辑中分离出来。
在 @Async 方法内部,可以使用 CompletableFuture 构建更复杂的异步流程,如组合多个异步操作、处理中间结果等。这种方法结合了 Spring 的高级抽象与 CompletableFuture 的强大功能。
/  

现在我们从线程池配置类实战一次

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.scheduling.annotation.EnableAsync;
import org.springframework.scheduling.concurrent.ThreadPoolTaskExecutor;import java.util.concurrent.Executor;
import java.util.concurrent.ThreadPoolExecutor;/*** 配置线程池* */
@Configuration
@EnableAsync
public class ExecutorConfig {/* 获取快递单号线程池,量大 配置 start */// 维持最小的线程数private int corePoolSizeAutoTrace = 10;// 最大的活动线程数private int maxPoolSizeAutoTrace = 50;// 排队的线程数private int queueCapacityAutoTrace = maxPoolSizeAutoTrace * 2;// 线程长时间闲置关闭的时间,单位秒private int keepAliveSecondsAutoTrace = 1 * 60 * 60;private String asyncTask = "asyncTask-";private String eventExecute = "eventExecute-";private String pushStatus = "pushStatus-";// 异常记录private int recordCoreSize = 5;// 最大的活动线程数private int recordMaxPoolSize = 10;// 异常记录private int orderCoreSize = 10;// 最大的活动线程数private int orderMaxPoolSize = 100;/*** 异步任务线程池* @return 执行器*/@Beanpublic Executor asyncTask() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(corePoolSizeAutoTrace);executor.setMaxPoolSize(maxPoolSizeAutoTrace);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix(asyncTask);executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName(asyncTask);executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}@Beanpublic Executor eventExecute() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(corePoolSizeAutoTrace);executor.setMaxPoolSize(maxPoolSizeAutoTrace);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix(eventExecute);executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName(eventExecute);executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}@Beanpublic Executor pushStatus() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(corePoolSizeAutoTrace);executor.setMaxPoolSize(maxPoolSizeAutoTrace);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix(pushStatus);executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName(pushStatus);executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}@Beanpublic Executor addOperationLogList() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(corePoolSizeAutoTrace);executor.setMaxPoolSize(maxPoolSizeAutoTrace);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix("addOperationLog-");executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName("addOperationLog-");executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}/*** 新增托运单时,添加单据收发方信息* @return*/@Beanpublic Executor addBillLogisticsInfo() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(corePoolSizeAutoTrace);executor.setMaxPoolSize(maxPoolSizeAutoTrace);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix("addBillLogisticsInfo-");executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName("addBillLogisticsInfo-");executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}/*** 派车单异常记录*/@Bean(name = "recordBoxExecutor")public Executor recordBoxExecutor() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(recordCoreSize);executor.setMaxPoolSize(recordMaxPoolSize);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix("addTmsBillRecordBoxDtl-");executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName("addTmsBillRecordBoxDtl-");executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}/*** 运单回写揽收线程池*/@Bean(name = "orderHandExecutor")public Executor orderHandExecutor() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(corePoolSizeAutoTrace);executor.setMaxPoolSize(maxPoolSizeAutoTrace);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix("orderHandExecutor-");executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName("orderHandExecutor-");executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}/*** 运单回写签收线程池*/@Bean(name = "orderSignExecutor")public Executor orderSignExecutor() {ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();executor.setCorePoolSize(corePoolSizeAutoTrace);executor.setMaxPoolSize(maxPoolSizeAutoTrace);executor.setQueueCapacity(queueCapacityAutoTrace);executor.setThreadNamePrefix("orderSignExecutor-");executor.setKeepAliveSeconds(keepAliveSecondsAutoTrace);executor.setThreadGroupName("orderSignExecutor-");executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());executor.initialize();return executor;}
}

在代码中使用

PS:线程安全问题及解决方法

参考文档:

网址:CompletableFuture 指南 |贝尔东 (baeldung.com)

思维图解:CompletableFuture的使用| ProcessOn免费在线作图,在线流程图,在线思维导图

优雅处理并发:Java CompletableFuture最佳实践 - 个人文章 - SegmentFault 思否

Java 8 CompletableFuture 对比 ES6 Promise | 叉叉哥的BLOG (xxgblog.com)

SpringBoot 实现异步调用@Async | 以及使用@Async注解可能会导致的问题_springboot @async异步类被aop拦截会报什么错误-CSDN博客

 线上调优:接口响应慢?那是你没用 CompletableFuture 来优化!

一次真实生产事故,让我总结了线程池的正确使用方式 (qq.com)


http://www.ppmy.cn/devtools/150505.html

相关文章

单片机(MCU)-简单认识

简介&#xff1a; 内部集成了CPU&#xff0c;RAM&#xff0c;ROM&#xff0c;定时器&#xff0c;中断系统&#xff0c;通讯接口等一系列电脑的常用硬件功能。 单片机的任务是信息采集&#xff08;依靠传感器&#xff09;&#xff0c;处理&#xff08;依靠CPU&#xff09;&…

计算机网络 笔记 数据链路层3(局域网,广域网,网桥,交换机)

局域网: LAN:在某一区域内由多台计算机互联成的计算机组&#xff0c;使用广播信道 特点&#xff1a; 覆盖范围有限&#xff1a;通常局限在几千米范围内&#xff0c;比如一栋办公楼、一个校园或一个工厂等相对较小的地理区域。 数据传输速率高&#xff1a;一般能达到 10Mbps…

预编译SQL

预编译SQL 预编译SQL是指在数据库应用程序中&#xff0c;SQL语句在执行之前已经通过某种机制&#xff08;如预编译器&#xff09;进行了解析、优化和准备&#xff0c;使得实际执行时可以直接使用优化后的执行计划&#xff0c;而不需要每次都重新解析和编译。这么说可能有一些抽…

可视化重塑汽车展示平台新体验

汽车展示平台利用图扑可视化技术&#xff0c;实现全方位、互动式车型展示&#xff0c;提供沉浸式用户体验&#xff0c;助力消费者深入了解车辆特性&#xff0c;优化销售沟通效率&#xff0c;推动汽车行业的数字化创新。

uniapp中h5使用地图

export function loadTMap(key) {return new Promise(function(resolve, reject) {window.init function() {// resolve(qq) //注意这里resolve(TMap) //注意这里}var script document.createElement("script");script.type "text/javascript";// scrip…

【每日学点鸿蒙知识】调试、网络、缓存、富文本编辑等

1、如何使用发布证书进行调试&#xff1f; 由于部分功能需要校验证书信息&#xff0c;所以需要使用调试证书和发布证书分别进行调试&#xff0c;但是使用发布证书后出现安装错误05/14 19:04:39: Install Failed: error: failed to install bundle.code:9568322error: signatur…

unity打包sdk热更新笔记

基础打包需要知识&#xff1a; 安装包大小不要超过2G&#xff0c;AB包数量过多会影响加载和构建&#xff0c;多次IO&#xff0c;用Gradle打包&#xff0c;要支持64位系统&#xff0c;不同的渠道包&#xff1a;让做sdk的人支持&#xff0c;提供渠道包的打包工具 配置系统环境变量…

双线性插值算法:原理、实现、优化及在图像处理和多领域中的广泛应用与发展趋势(二)

五、图像金字塔和多尺度分析 双线性插值在图像金字塔的构建中也发挥着重要的作用。图像金字塔是一种多分辨率表示图像的结构&#xff0c;通常包括一个原始图像的不同分辨率的版本。在构建图像金字塔时&#xff0c;我们可以通过不断地对图像进行下采样&#xff08;缩小&#xf…