How to use CompletableFuture.thenComposeAsync()?

前端 未结 2 2025
孤独总比滥情好
孤独总比滥情好 2021-01-12 01:08

Given:

public class Test
{
    public static void main(String[] args)
    {
        int nThreads = 1;
        Executor e = Executors.newFixedThreadPool(nThre         


        
相关标签:
2条回答
  • 2021-01-12 01:22
    1. The thenComposeAsync method places a new task for your executor that grabs the single thread and waits for your Task 2 to complete. But this one has no more threads to run. You can instead use thenCompose method that executes in the same thread as Task 1 to avoid the deadlock.

    2. One thread is executing Task 1 and Task 2 and the second one is taking care of composing the results of the two.

    Note: CompletableFuture(s) work best with a ForkJoinPool that is more efficient in processing tasks that spawn new tasks. The default ForkJoinPool was added in Java 8 for this purpose and is used by default if you don't specify an executor to run your tasks.

    Here is a good presentation about where these new features shines and how they work: Reactive Programming Patterns with Java 8 Futures.

    0 讨论(0)
  • 2021-01-12 01:30

    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.

    0 讨论(0)
提交回复
热议问题