我正在CompletableFuture
上阅读该文档,而thenAccept()
的说明是
返回一个新的CompletionStage,当此阶段正常完成时,将使用此阶段的结果作为所提供操作的参数执行。
和thenApply()
是
返回一个新的CompletionStage,当这个阶段正常完成时,将以此阶段的结果作为所提供函数的参数执行.```
有人可以通过一些简单的例子解释两者之间的区别吗?
答案 0 :(得分:27)
您需要查看完整的方法签名:
CompletableFuture<Void> thenAccept(Consumer<? super T> action)
<U> CompletableFuture<U> thenApply(Function<? super T,? extends U> fn)
thenAccept
需要Consumer
并返回T=Void
个CF,即一个不带值的,只有完成状态。
thenApply
取Function
并返回带有函数返回值的CF。
答案 1 :(得分:9)
thenApply
会返回curent阶段的结果,而thenAccept
则不会。
阅读这篇文章:http://codeflex.co/java-multithreading-completablefuture-explained/
答案 2 :(得分:3)
正如 the8472 清楚解释的那样,它们的输出值和args是不同的,因此你可以做什么
CompletableFuture.completedFuture("FUTURE")
.thenApply(r -> r.toLowerCase())
.thenAccept(f -> System.out.println(f))
.thenAccept(f -> System.out.println(f))
.thenApply(f -> new String("FUTURE"))
.thenAccept(f -> System.out.println(f));
future
null
FUTURE
应用函数应用另一个函数并传递持有值的未来
Accept 函数使用此值并返回将来的持有空白答案 3 :(得分:1)
我会以我记得两者之间的区别的方式回答这个问题: 考虑以下未来。
CompletableFuture<String> completableFuture
= CompletableFuture.supplyAsync(() -> "Hello");
ThenAccept
基本上是一个消费者,并将计算结果CompletableFuture<Void>
CompletableFuture<Void> future = completableFuture
.thenAccept(s -> System.out.println("Computation returned: " + s));
您可以将其与forEach
中的streams
关联起来,以便于记忆。
在thenApply
接受Function
实例的情况下,使用它来处理结果并返回一个保存有函数返回值的Future:
CompletableFuture<String> future = completableFuture
.thenApply(s -> s + " World");
您可以将其与此map
中的streams
相关联,因为它实际上正在执行转换。