我是使用Spring Task Scheduler执行任务的新手,所以这可能是一个基本问题。我有一个项目列表,我想在实现Runnable
的类中处理。这是我的任务类:
public class ProcessTask<T> implements Runnable {
private String item;
public ProcessTask(String item) {
System.out.println("Starting process for " + item);
this.item = item;
}
@Override
public void run() {
System.out.println("Finishing task for " + item);
}
我想处理一个项目列表,每个项目都在上一个任务开始后10秒开始。我知道我可以将每一个设置为在前一个计划安排后运行10秒,但是我不想依赖它,因为其他进程可能导致任务在10秒钟之前运行。
所以在我的主要课程中,我有以下内容:
Date end = new Date(cal.getTimeInMillis() + 10000); // this is the time that the task should be fired off, the first one being 10 seconds after the current time
for(String item : items) {
Calendar cal = Calendar.getInstance();
cal.setTime(end);
System.out.println("Next task fires at " + cal.getTime());
ProcessTask task = new ProcessTask(item);
ScheduledFuture<?> future = taskScheduler.schedule(task, end);
end = new Date(Calendar.getInstance().getTimeInMillis() + 10000);
}
第一个任务在代码运行10秒后触发,这很棒。但其余的项目立即安排,而不是等待10秒。我明白为什么会发生这种情况 - 因为taskScheduler.schedule
是异步的,所以for循环只是继续,其余项目会在10秒后安排。
我尝试让主线程休眠一秒,并在安排下一个任务之前检查ScheduledFuture
是否已完成,例如:
while(!future.isDone()) {
Thread.sleep(1000);
System.out.println("is future done: " + future.isDone());
}
如果我在上述块中ScheduledFuture<?> future = taskScheduler.schedule(task, end);
之后立即添加此块,则future.isDone()
始终返回false,并且永远不会调用ProcessTask
run()
方法。
我有什么方法可以使用ScheduledFuture
来判断上一个任务是否已经结束,但如果还没有,继续等待?有没有更好的方法来做到这一点?提前谢谢。
答案 0 :(得分:1)
因此您不知道任务何时结束,但10秒后,您希望下一个任务运行。因此,只有在完成任务后才能进行规划。 所以,有一个基础抽象类,它可以管理。
public abstract class ScheduleTaskAfterRun<T> implements Runnable {
protected void executeContent();
private Runnable nextTask;
private taskScheduler; // init somehow, probably by constructor...
public void setNextTask(Runnable r) {
nextTask = r;
}
@Override
public void run() {
executeContent();
scheduleNextTask();
}
private void scheduleNextTask() {
if(nextTask == null) {
System.out.println("No task to handle, finished!");
return;
}
Date end = new Date(Calendar.getInstance().getTimeInMillis() + 10000);
ScheduledFuture<?> future = taskScheduler.schedule(nextTask, end);
}
}