使用compose创建CompletableFutures的链接列表

时间:2018-11-07 15:12:31

标签: java asynchronous completable-future

我想创建一个CompletableFutures链。

我正在尝试按以下步骤进行构建。

任务1完成后,任务1执行一些操作并返回一个字符串作为结果。我想以任务1的结果作为输入来启动任务2。任务2准备就绪后,它返回一个整数,依此类推... < / p>

所以它应该是非常动态的,所以我已经有了:

      try {
            CompletableFuture<String> task1Future = CompletableFuture.supplyAsync(new Task1());
            CompletableFuture<String> result = task1Future.thenCompose(task1Result -> CompletableFuture.supplyAsync(new Task2(task1Result)));
            System.out.println(result.get());
        } catch (InterruptedException | ExecutionException e) {
            e.printStackTrace();
        }


        public class Task1 implements Supplier<String> {

    public Task1() {
        System.out.println("Task 1 started");
    }

    @Override
    public String get() {
        try {
            TimeUnit.SECONDS.sleep(5);
        } catch (InterruptedException e) {
            throw new IllegalStateException(e);
        }
        return "Result Task 1";
    }
}

我知道尝试实现的是构建包装器(一种链接列表):

任务列表,其中任务应为:

public class Task {
    private Supplier startTask;
    private Task followUpTask;

    public Task(Supplier startTask, Task followUpTask) {
        this.startTask = startTask;
        this.followUpTask = followUpTask;
    }
}

但是我现在很棘手,因为我不知道如何进行链接以及如何使Task更通用,以至于无论上一个任务的结果如何,它都可以启动。

所以我需要一种方法来构造CompletableFuture并只说start(),一切都会发生。

有人可以帮我吗?

2 个答案:

答案 0 :(得分:1)

您应该将Task2定义为函数,因为它接受先前的String结果并产生新的Integer结果:

public static class Task2 implements Function<String, Integer> {

    public Task2() {
        System.out.println("Task 2 started");
    }

    @Override
    public Integer apply(String s) {
        return s.length();
    }
}

然后您可以按如下所示链接它们:

   CompletableFuture<String> task1Future = CompletableFuture.supplyAsync(new Task1());
   CompletableFuture<Integer> result = task1Future.thenApply(new Task2());
   System.out.println(result.get());

答案 1 :(得分:1)

只要您希望所有任务都实现功能,就可以按以下方式启动链:

CompletableFuture<String> task1Future = CompletableFuture.completedFuture("S")
    .thenApply(new Task1());

其中completedFuture("S")保存第一个任务的参数:

public static class Task1 implements Function<String, String>  {

    public Task1() {
        System.out.println("Task 1 started");
    }

    @Override
    public String apply(String s) {
        try {
            TimeUnit.SECONDS.sleep(5);
        } catch (InterruptedException e) {
            throw new IllegalStateException(e);
        }
        return "Result Task 1";
    }
}