73

我会ScheduledExecutorService定期执行一些不同的任务scheduleAtFixedRate(Runnable, INIT_DELAY, ACTION_DELAY, TimeUnit.SECONDS);

我也有一个不同Runnable的,我正在使用这个调度程序。当我想从调度程序中删除其中一项任务时,问题就开始了。

有没有办法做到这一点?

我是否使用一个调度程序来完成不同的任务?实现这一点的最佳方法是什么?

4

2 回答 2

112

只需取消返回的未来scheduledAtFixedRate()

// Create the scheduler
ScheduledExecutorService scheduledExecutorService = Executors.newScheduledThreadPool(1);
// Create the task to execute
Runnable r = new Runnable() {
    @Override
    public void run() {
        System.out.println("Hello");
    }
};
// Schedule the task such that it will be executed every second
ScheduledFuture<?> scheduledFuture =
    scheduledExecutorService.scheduleAtFixedRate(r, 1L, 1L, TimeUnit.SECONDS);
// Wait 5 seconds
Thread.sleep(5000L);
// Cancel the task
scheduledFuture.cancel(false);

另一件需要注意的事情是取消不会从调度程序中删除任务。它所确保的是该isDone方法始终返回true。如果您继续添加此类任务,这可能会导致内存泄漏。例如:如果您基于某些客户端活动或 UI 按钮单击启动任务,请重复 n 次并退出。如果该按钮被单击太多次,您最终可能会得到大量无法被垃圾收集的线程池,因为调度程序仍然有引用。

您可能希望setRemoveOnCancelPolicy(true)ScheduledThreadPoolExecutorJava 7 及以后的可用类中使用。为了向后兼容,默认设置为 false。

于 2013-01-20T10:26:33.480 回答
1

如果您的ScheduledExecutorService实例扩展ThreadPoolExecutor(例如ScheduledThreadPoolExecutor),您可以使用remove(Runnable)(但请参阅其 javadoc 中的注释:“它可能无法删除在放入内部队列之前已转换为其他形式的任务。”)或purge().

于 2017-12-20T22:20:26.847 回答