2

所以我刚才问了一个问题:在这里问了一个问题“如果我的线程花费太长时间,我怎样才能让它们被杀死”

我已经实现了那里提到的解决方案,但是在线程超时的某些罕见情况下,程序仍然可能失败/锁定(请参阅:保持 main() 方法打开,并防止程序的进一步 cron 运行)。

这是我正在使用的来源:

 //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 秒时中断。

4

3 回答 3

4

因为我怀疑您的工作线程仍在运行。您正在调用future.cancel(true);,但所做的只是在线程上设置中断标志——它不会主动中断您正在运行的代码。“中断”代码的另一种方法是设置一些volatile boolean shutdown标志为真,并在你的代码中测试它。有关中断线程的更多详细信息,请参见此处。

您需要确保您的ThreadHandler代码正确处理中断。例如,它需要检查Thread.currentThread().isInterrupted()循环或其他代码块。您还需要确保InterruptedException正确处理,而不仅仅是吞下中断。

有关线程中断的更多信息,请参阅我的答案

于 2012-10-16T14:12:36.253 回答
1

每个任务的超时时间都在增加,这可能不是预期的。相反,您可以在超时后关闭线程池并取消其余部分。

threadPool.shutdown();
threadPool.awaitTermination(30, TimeUnit.SECONDS);
threadPool.shutdownNow(); // interrupt any running tasks.
于 2012-10-16T14:24:42.197 回答
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() 标志,如果为真则抛出 InterruptedException 传播中断状态。

于 2012-10-16T18:32:14.633 回答