所以我不久前问了一个问题:Over here问了一个问题“如果他们花了太长时间我怎么能让我的线程被杀”
我已经实现了那里提到的解决方案,但是在线程超时的某些罕见情况下,程序仍然可以失败/锁定(请参阅:保持main()方法打开,并阻止程序的进一步运行)。
这是我正在使用的来源:
//Iterate through the array to submit them into individual running threads.
ExecutorService threadPool = Executors.newFixedThreadPool(12);
List<Future<?>> taskList = new ArrayList<Future<?>>();
for (int i = 0; i < objectArray.length; i++) {
Future<?> task = threadPool.submit(new ThreadHandler(objectArray[i], i));
taskList.add(task);
Thread.sleep(500);
}
//Event handler to kill any threads that are running for more than 30 seconds (most threads should only need .25 - 1 second to complete.
for(Future future : taskList){
try{
future.get(30, TimeUnit.SECONDS);
}catch(CancellationException cx){ System.err.println("Cancellation Exception: "); cx.printStackTrace();
}catch(ExecutionException ex){ System.err.println("Execution Exception: ");ex.printStackTrace();
}catch(InterruptedException ix){ System.err.println("Interrupted Exception: ");ix.printStackTrace();
}catch(TimeoutException ex) {future.cancel(true);}
}
threadPool.shutdown();
threadPool.awaitTermination(60, TimeUnit.SECONDS);
所以我的问题是:实现这个代码后,为什么执行程序服务不会在30秒内关闭。
答案 0 :(得分:4)
因为我怀疑你的工作线程仍在运行。您正在调用future.cancel(true);
,但所有操作都是在线程上设置中断标志 - 它不会主动中断您正在运行的代码。 “中断”代码的另一种方法是将一些volatile boolean shutdown
标志设置为true并在代码中测试该标志。请参阅此处more details about interrupting threads。
您需要确保ThreadHandler
代码正确处理中断。例如,它需要在循环或其他代码块中检查Thread.currentThread().isInterrupted()
。您还需要确保正确处理InterruptedException
而不仅仅是吞下中断。
有关线程中断的更多信息,请参阅my answer here。
答案 1 :(得分:1)
您可能无法完成每项任务的超时量。相反,您可以在超时后关闭线程池并取消其余部分。
threadPool.shutdown();
threadPool.awaitTermination(30, TimeUnit.SECONDS);
threadPool.shutdownNow(); // interrupt any running tasks.
答案 2 :(得分:0)
在Java Concurrency in Practice一书中有一整章专门的任务取消。根据我的阅读,任务取消必须在finally块中,以确保任务始终结束。
try{
future.get(30, TimeUnit.SECONDS);
} catch (TimeoutException e) {
// log error message and falls through to finally block
} catch (ExecutionException e) {
throw e;
} finally {
future.cancel(true); // interrupt task
}
处理InterruptedException时必须恢复中断状态。
catch (InterruptedException e) {
Thread.currentThread().interrupt();
}
在ThreadHandler任务中检查Thread.currentThread()。isInterrupted()标志,如果true传播中断状态,则抛出InterruptedException。