在使用Java Future时,我们通常会创建一个Callable对象,将其提交给线程池执行,然后通过调用Future的get()方法来获取执行结果。然而,get()方法是一个阻塞方法,即在调用get()方法之后,当前线程会被阻塞,直到任务执行完毕并返回结果。这就导致了效率低下的问题,因为在调用get()方法时,当前线程无法做其他的工作,只能等待任务的完成。




针对上述问题,使用如下解决----jdk8和以上可用

import java.util.concurrent.*;

public class CompletableFutureExample {
    public static void main(String[] args) throws ExecutionException, InterruptedException {
        ExecutorService executor = Executors.newFixedThreadPool(2);
        
        CompletableFuture<Integer> squareFuture = CompletableFuture.supplyAsync(() -> {
            try {
                Thread.sleep(1000); // 模拟耗时操作
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
            return 2 * 2;
        }, executor);
        
        CompletableFuture<Integer> cubeFuture = CompletableFuture.supplyAsync(() -> {
            try {
                Thread.sleep(2000); // 模拟耗时操作
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
            return 2 * 2 * 2;
        }, executor);
        
        CompletableFuture<Integer> sumFuture = squareFuture.thenCombine(cubeFuture, (squareResult, cubeResult) -> squareResult + cubeResult);
        
        int sum = sumFuture.get();
        
        System.out.println("Sum: " + sum);
        
        executor.shutdown();
    }
}
  • 1.
  • 2.
  • 3.
  • 4.
  • 5.
  • 6.
  • 7.
  • 8.
  • 9.
  • 10.
  • 11.
  • 12.
  • 13.
  • 14.
  • 15.
  • 16.
  • 17.
  • 18.
  • 19.
  • 20.
  • 21.
  • 22.
  • 23.
  • 24.
  • 25.
  • 26.
  • 27.
  • 28.
  • 29.
  • 30.
  • 31.
  • 32.
  • 33.