从ScheduledExecutorService

时间:2015-10-08 17:31:47

标签: java executorservice scheduledexecutorservice

我知道我可以抛出一个异常来抑制已经安排在ScheduledExecutorService中重复执行的任务的进一步执行(参见this question)。

我也知道我可以setRemoveOnCancelPolicy(true)来确保从队列中删除已取消的任务。

我的问题是:当我从其中抛出异常时,该任务是否实际从调度程序中删除了?这是否通过暗中取消未来而发生?如果是,这是否意味着setRemoveOnCancelPolicy()也适用于这种情况?

无法在Javadocs中找到任何内容。

1 个答案:

答案 0 :(得分:1)

我想知道同样的事情,在文档中找不到任何内容,所以我试了一下。观察:

  • 投掷RuntimeException标志着未来已完成未取消
  • Runnable已从调度程序的队列中删除,无论 setRemoveOnCancelPolicy()

自己尝试一下:

public class SchedulerTest {
    protected final Logger log = LoggerFactory.getLogger(this.getClass());

    @Test
    public void schedulerExecutionException() throws Exception {
        log.info("Test: schedulerExecutionException");

        ScheduledThreadPoolExecutor sched = new ScheduledThreadPoolExecutor(2);
        sched.setRemoveOnCancelPolicy(true);

        ScheduledFuture future1 = sched.scheduleAtFixedRate(new Runnable() {
            int counter = 0;
            @Override
            public void run() {
                log.info("Runnable 1: "+ ++counter);

                if (counter >= 2) {
                    log.info("Runnable 1: BOOOM");
                    throw new RuntimeException("boom");
                }

            }
        }, 1, 1, TimeUnit.SECONDS);

        ScheduledFuture future2 = sched.scheduleAtFixedRate(new Runnable() {
            int counter = 0;
            @Override
            public void run() {
                log.info("Runnable 2: "+ ++counter);
            }
        }, 1, 1, TimeUnit.SECONDS);

        long cutoff = new Date().getTime() + 6000;

        while (new Date().getTime() < cutoff) {
            log.info("Scheduler Queue size: "+ sched.getQueue().size());
            log.info("Future 1: is "+ (future1.isCancelled() ? "" : "not ") +"cancelled, is "+ (future1.isDone()? "" : "not ") +"done");
            log.info("Future 2: is "+ (future2.isCancelled() ? "" : "not ") +"cancelled, is "+ (future2.isDone()? "" : "not ") +"done");
            Thread.sleep(1000);
        }
        assertEquals(sched.getQueue().size(), 1);

        future2.cancel(true);
        log.info("Scheduler Queue size: "+ sched.getQueue().size());
        log.info("Future 1: is "+ (future1.isCancelled() ? "" : "not ") +"cancelled, is "+ (future1.isDone()? "" : "not ") +"done");
        log.info("Future 2: is "+ (future2.isCancelled() ? "" : "not ") +"cancelled, is "+ (future2.isDone()? "" : "not ") +"done");

        assertEquals(sched.getQueue().size(), 0);

        sched.shutdownNow();
    }
}