如何从ScheduledExecutorService中删除任务?

我有一个ScheduledExecutorService时间周期性地与一些不同的任务scheduleAtFixedRate(Runnable, INIT_DELAY, ACTION_DELAY, TimeUnit.SECONDS);

我也有Runnable与此计划程序一起使用的不同之处。当我想从调度程序中删除任务之一时,问题就开始了。

有没有办法做到这一点?

我可以使用一个调度程序完成不同的任务吗?实现此目的的最佳方法是什么?

回答:

只需取消以下项返回的未来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次并退出。如果该按钮被单击了太多次,则可能会导致无法进行垃圾回收的线程池很大,因为调度程序仍具有引用。

您可能要在Java 7及更高版本中使用setRemoveOnCancelPolicy(true)ScheduledThreadPoolExecutor类中使用。为了向后兼容,默认设置为false。

以上是 如何从ScheduledExecutorService中删除任务? 的全部内容, 来源链接: utcz.com/qa/422013.html

回到顶部