如何抽象捕获的异常CompletableFutures以调用方法

时间:2019-04-05 03:31:37

标签: java completable-future

好,我有类似的方法

  1. CompletableFuture fetchCar(int id);
  2. CompletableFuture runSomething(t,Extra d);
  3. CompletableFuture invoke();

,我想使用一种可以执行以下操作的方法,以便它将将来转换的所有同步异常都转换为

private CompletableFuture<Void> invokeSomething(Something something) {
    CompletableFuture<Void> future;
    try {
        future = something.runSomething(t, d);
    } catch(Throwable e) {
        future = new CompletableFuture<Void>();
        future.completeExceptionally(e);
    }

    return future;
}

请注意,我只是碰巧选择了#2作为示例,但我想使用通用名称,因此我可以停止键入,因为一般来说,它需要偶尔执行一次,以确保您处理同步和异步异常一样。

1 个答案:

答案 0 :(得分:2)

我不确定这是您要找的东西,但是您可以创建一个实用程序函数:

public static <T> CompletableFuture<T> foo(Callable<CompletableFuture<T>> callable) {
    try {
        return callable.call();
    } catch (Exception ex) {
        return CompletableFuture.failedFuture(ex);
    }
}

然后您将像这样使用它:

Something something = ...;
CompletableFuture<Void> future = foo(() -> invokeSomthing(something));

一些注意事项:

  1. 之所以使用Callable是因为其功能方法call可以抛出Exception。如果使用了Supplier之类的东西,那么将其与可能引发已检查异常的方法一起使用将很麻烦。
  2. 使用catch (Exception ex)而不是catch (Throwable ex)是因为Callable#call不会抛出Throwable,并且通常认为捕获Error是错误的做法。如果需要,您随时可以将其更改为Throwable
  3. 如果callablenull,则此实用程序方法将返回由NPE导致的失败的将来;不知道那是不是想要的。