2

我正在尝试扩展CompletableFuturethenComposeafter handle,但出现编译器错误:

Type mismatch: cannot convert from CompletableFuture(Object) to CompletableFuture(U)

这是我的代码:

public class MyCompletableFuture<T> extends CompletableFuture<T> {

    public <U> CompletableFuture<U> handleAndCompose(BiFunction<? super T, Throwable, ? extends U> fn) {
        return super.handle(fn).thenCompose(x->x);
    }

}

作为记录,我试图隐藏这个响应thenCompose中使用的基本上是:

.handle((x, t) -> {
    if (t != null) {
        return askPong("Ping");
    } else {
        return x;
    }
)
4

1 回答 1

3

您的方法的签名不正确。它应该是:

public <U> CompletableFuture<U> handleAndCompose(BiFunction<? super T, Throwable, ? extends CompletableFuture<U>> fn) {
    return super.handle(fn).thenCompose(x->x);
}

请注意,给定的函数返回? extends CompletableFuture<U>而不是? extends U. 您也可以接受更通用的参数CompletionStage而不是CompletableFuture.

于 2016-03-31T07:59:14.927 回答