如何计划任务运行一次?

我想推迟做某事,沿着设置一个倒数计时器的路线,该计时器将在一定时间后“做一件事”。

我希望我的程序的其余部分在我等待时继续运行,所以我尝试制作包含一分钟延迟的自己的程序:Thread

public class Scratch {
    private static boolean outOfTime = false;

    public static void main(String[] args) {
        Thread countdown = new Thread() {
            @Override
            public void run() {
                try {
                    // wait a while
                    System.out.println("Starting one-minute countdown now...");
                    Thread.sleep(60 * 1000);

                    // do the thing
                    outOfTime = true;
                    System.out.println("Out of time!");
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            }
        };
        countdown.start();

        while (!outOfTime) {
            try {
                Thread.sleep(1000);
                System.out.println("do other stuff here");
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }
    }
}


虽然这或多或少有效,但似乎应该有更好的方法来做到这一点。

经过一番搜索,我发现了一堆这样的问题,但它们并没有真正解决我想要做的事情:

我不需要任何如此复杂的东西;我只想在一段时间后做一件事,同时让程序的其余部分仍然运行。

我应该如何安排一次性任务来“做一件事”?


答案 1

虽然 java.util.Timer 曾经是调度未来任务的好方法,但现在最好使用包中的类。java.util.concurrent

有一个 ScheduledExecutorService,专门设计用于在延迟后运行命令(或定期执行它们,但这与此问题无关)。

它有一个计划(可运行,长,时间单位)方法

创建并执行一个单次操作,该操作在给定延迟后变为启用状态。


使用 a,您可以像这样重写程序:ScheduledExecutorService

import java.util.concurrent.*;

public class Scratch {
    private static final ScheduledExecutorService scheduler = Executors.newScheduledThreadPool(1);
    public static void main(String[] args) {
        System.out.println("Starting one-minute countdown now...");
        ScheduledFuture<?> countdown = scheduler.schedule(new Runnable() {
            @Override
            public void run() {
                // do the thing
                System.out.println("Out of time!");
            }}, 1, TimeUnit.MINUTES);

        while (!countdown.isDone()) {
            try {
                Thread.sleep(1000);
                System.out.println("do other stuff here");
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }
        scheduler.shutdown();
    }
}

以这种方式做事的好处之一就是你从调用中得到的对象。ScheduledFuture<?>schedule()

这使您可以摆脱多余的变量,并直接检查作业是否已运行。boolean

如果不想再等待,也可以通过调用其 cancel() 方法来取消计划任务。


1 个请参阅 Java Timer vs ExecutorService?,了解避免使用 a 而支持 .TimerExecutorService


答案 2

谢谢你为我工作。我使用调度程序在运行时计算的批处理间隔中调度任务。

    manualTriggerBatchJob.setSchedulingProperties(pblId, batchInterval);
    ScheduledExecutorService scheduledExecutorService =
            Executors.newScheduledThreadPool(5);
    @SuppressWarnings("unchecked")
    ScheduledFuture scheduledFuture =
            scheduledExecutorService.schedule(manualTriggerBatchJob,
            batchIntervalInMin,TimeUnit.MILLISECONDS);

推荐