CompletableFuture - 聚合未来快速失败

时间:2015-11-18 15:08:20

标签: java java.util.concurrent completable-future

我一直在使用CompletableFuture.allOf(...)帮助器来创建只能完成"完成"当他们的复合期货被标记为完整时,即:

CompletableFuture<?> future1 = new CompletableFuture<>();
CompletableFuture<?> future2 = new CompletableFuture<>();
CompletableFuture<?> future3 = new CompletableFuture<>();

CompletableFuture<?> future = CompletableFuture.allOf(future1, future2, future3);

我希望这个功能略有不同,在以下情况下,总体未来市场是完整的:

  • 所有期货已成功完成 OR
  • 任何一个未来都未完成

在后一种情况下,总体未来应该立即完成(例外),而不必等待其他期货完成,即快速失败

CompletableFuture.allOf(...)形成对比来说明这一点:

// First future completed, gotta wait for the rest of them...
future1.complete(null);
System.out.println("Future1 Complete, aggregate status: " + future.isDone());

// Second feature was erroneous! I'd like the aggregate to now be completed with failure
future2.completeExceptionally(new Exception());
System.out.println("Future2 Complete, aggregate status: " + future.isDone());

// Finally complete the third future, that will mark the aggregate as done
future3.complete(null);
System.out.println("Future3 Complete, aggregate status: " + future.isDone());

使用allOf(...),此代码产生:

Future1 Complete, aggregate status: false
Future2 Complete, aggregate status: false
Future3 Complete, aggregate status: true

而我的替代聚合实现将返回&#34; true&#34;在Feature2完成之后,鉴于它是一个例外。

我在Java标准库中找不到任何可以帮助我实现这一点的工具,这感觉很奇怪......因为它是一个相对普通的用例。

看看CompletableFuture.allOf(...)的实现,很明显这些场景背后的逻辑相当复杂。我不愿意自己写这个,我想知道是否有其他选择?

2 个答案:

答案 0 :(得分:4)

尽管CompletableFuture.allOf(...)方法不像语法上那么甜,但似乎thenCompose(...)可能提供解决方案:

CompletableFuture<?> future = future1.thenCompose((f) -> future2).thenCompose((f) -> future3);

这将产生所需的:

Future1 Complete, aggregate status: false
Future2 Complete, aggregate status: true
Future3 Complete, aggregate status: true

这可以包含在一个帮助方法中,它可以为调用者提供一些语法细节:

private static CompletableFuture<?> composed(CompletableFuture<?> ... futures) {

    // Complete when ALL the underlying futures are completed
    CompletableFuture<?> allComplete = CompletableFuture.allOf(futures);

    // Complete when ANY of the underlying futures are exceptional
    CompletableFuture<?> anyException = new CompletableFuture<>();
    for (CompletableFuture<?> completableFuture : futures) {
        completableFuture.exceptionally((t) -> {
            anyException.completeExceptionally(t);
            return null;
        });
    }

    // Complete when either of the above are satisfied
    return CompletableFuture.anyOf(allComplete, anyException);
}

允许:

CompletableFuture<?> future = composed(future1, future2, future3);

答案 1 :(得分:0)

您可以通过创建allOf和anyOf,然后将它们组合成第二个anyOf来实现。