我有检查CompletableFuture执行时间的方法。如果此类CompletableFuture执行的时间超过2秒,我想要终止此任务。但是,如果我没有控制执行CompletableFuture方法的线程,我怎么办?
final CompletableFuture<List<List<Student>>> responseFuture = new CompletableFuture<>();
responseFuture.supplyAsync(this::createAllRandomGroups)
.thenAccept(this::printGroups)
.exceptionally(throwable -> {
throwable.printStackTrace();
return null;
});
createAllRandomGroups()
private List<List<Student>> createAllRandomGroups() {
System.out.println("XD");
List<Student> allStudents = ClassGroupUtils.getActiveUsers();
Controller controller = Controller.getInstance();
List<List<Student>> groups = new ArrayList<>();
int groupSize = Integer.valueOf(controller.getGroupSizeComboBox().getSelectionModel().getSelectedItem());
int numberOfGroupsToGenerate = allStudents.size() / groupSize;
int studentWithoutGroup = allStudents.size() % groupSize;
if (studentWithoutGroup != 0) groups.add(this.getListOfStudentsWithoutGroup(allStudents, groupSize));
for(int i = 0; i < numberOfGroupsToGenerate; i++) {
boolean isGroupCreated = false;
while (!isGroupCreated){
Collections.shuffle(allStudents);
List<Student> newGroup = this.createNewRandomGroupOfStudents(allStudents, groupSize);
groups.add(newGroup);
if (!DataManager.isNewGroupDuplicated(newGroup.toString())) {
isGroupCreated = true;
allStudents.removeAll(newGroup);
}
}
}
DataManager.saveGroupsToCache(groups);
return groups;
}
printGroups()
private void printGroups(List<List<Student>> lists) {
System.out.println(lists);
}
此语句responseFuture.cancel(true);
不会杀死responseFuture执行方法的线程。那么终止CompletableFuture线程最优雅的方法是什么?
答案 0 :(得分:5)
当您创建CompletableFuture
个b = a.thenApply(function)
阶段的链时,这个方便的方法会创建不同组件的设置。基本上,这些组件相互引用为a → function → b
,因此a
的完成将触发function
的评估,这将首先预先检查b
是否仍未完成,然后评估你的功能并尝试用结果完成b
。
但b
本身并不了解function
或将评估它的线程。事实上,function
对b
并不特殊,任何人都可以从任何线程调用complete
,completeExceptionally
或cancel
,第一个获胜。因此,类名中的可完成。
获得评估功能的线程的唯一方法是从一开始就控制它们,例如。
ExecutorService myWorkers = Executors.newFixedThreadPool(2);
CompletableFuture<FinalResultType> future
= CompletableFuture.supplyAsync(() -> generateInitialValue(), myWorkers)
.thenApplyAsync(v -> nextCalculation(v), myWorkers)
.thenApplyAsync(v -> lastCalculation(v), myWorkers);
future.whenComplete((x,y) -> myWorkers.shutdownNow());
现在,完成future
,例如通过取消,将确保此链不会触发新的评估,并进一步尝试中断正在进行的评估,如果有的话。
所以你可以实现超时,例如
try {
try {
FinalResultType result = future.get(2, TimeUnit.SECONDS);
System.out.println("got "+result);
}
catch(TimeoutException ex) {
if(future.cancel(true)) System.out.println("cancelled");
else System.out.println("got "+future.get());
}
}
catch(ExecutionException|InterruptedException ex) {
ex.printStackTrace();
}
并非由于线程池关闭而导致的任务拒绝可能导致某些中间未来永远不会完成,但对于这个阶段链,这是无关紧要的。重要的是,最后阶段future
已经完成,这是有保证的,因为它的完成会触发关闭。
答案 1 :(得分:0)
终止线程的唯一方法是通过中断,这是一种合作机制。这意味着线程必须通过处理InterruptedException来实现中断逻辑。
但是打断你不拥有的线程是一种非常糟糕的做法,我认为这是你的情况。