我正在使用ExecutorService
运行可运行对象的列表,并使用CompletableFuture
整理所有结果。我想关联CompletableFuture
的哪个实例运行了特定的可运行对象。
这是实际的代码
public static void runTasks(final List<Runnable> tasks, final int threadCount) {
final ExecutorService es = Executors.newFixedThreadPool(threadCount);
final CompletableFuture<?>[] futures = tasks.stream()
.map(task -> CompletableFuture.runAsync(task, es))
.toArray(CompletableFuture[]::new);
try {
CompletableFuture.allOf(futures).join();
es.shutdown();
} catch (Exception e) {
System.exit(1);
}
}
我将结果存储在期货变量中
CompletableFuture<?>[] futures
有没有办法获取可运行类的名称,其结果存储在future的实例中?
我试图按如下方式打印单个任务结果:
for (CompletableFuture future : futures) {
final boolean taskCompletedSuccessfully = future.isDone() && !(future.isCompletedExceptionally() || future.isCancelled());
LOGGER.info("Task completion status for {} : {}", <runnable class name>, (taskCompletedSuccessfully ? "SUCCESSFUL" : "FAILED"));
}
最佳答案
无法检索有关Runnable
的任何信息,因为CompletableFuture
不保存对它的任何引用。
因此,您将必须在某些Pair
实现中将future和runnable(或其类名)存储在一起,例如:
final List<Pair<Runnable, CompletableFuture<Void>>> futures = tasks.stream()
.map(task -> new Pair<>(task, CompletableFuture.runAsync(task, es)))
.collect(toList());
try {
CompletableFuture.allOf(futures.stream().map(Pair::getB).toArray(CompletableFuture[]::new)).join();
} catch (Exception e) {
log.warn("At least one future failed", e);
}
es.shutdown();
futures.forEach(pair -> {
CompletableFuture<Void> future = pair.getB();
final boolean taskCompletedSuccessfully = !future.isCompletedExceptionally();
log.info("Task completion status for {} : {}", pair.getA().getClass().getSimpleName(), (taskCompletedSuccessfully ? "SUCCESSFUL" : "FAILED"));
});
一些注意事项:
如果任何任务失败,
allOf()
也将失败。在这种情况下,您可能不想使用exit()
–否则,您始终只会记录成功的任务;在
allOf().join()
之后,可以确保isDone()
对于所有任务都适用,无需检查;isCancelled()
(在此是不可能的)表示isCompletedExceptionally()
关于java - 从completablefuture检索runnable的实例,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/56254818/