Given:
public class Test
{
public static void main(String[] args)
{
int nThreads = 1;
Executor e = Executors.newFixedThreadPool(nThre
It blocks on runAsync
that's inside thenComposeAsync
. thenComposeAsync
runs the supplied function in a thread inside executor e. But the function you gave it tries itself to execute the body of runAsync inside the same executor.
You can see better what's going on by adding another trace output:
CompletableFuture.runAsync(() -> {
System.out.println("Task 1. Thread: " + Thread.currentThread().getId());
}, e).thenComposeAsync((Void unused) -> {
System.out.println("Task 1 1/2. Thread: " + Thread.currentThread().getId());
return CompletableFuture.runAsync(() -> {
System.out.println("Task 2. Thread: " + Thread.currentThread().getId());
}, e);
}, e).join();
Now if you run it with a 2-thread executor, you will see that Task 1 1/2 and Task 2 run on different threads.
The way to fix it is to replace thenComposeAsync
with just regular thenCompose
. I am not sure why you would ever use thenComposeAsync
. If you have a method that returns a CompletableFuture
, presumably that method doesn't block and doesn't need to be run asynchronously.