如何在Java中设置计时器?
如何设置一个计时器,比如2分钟,尝试连接到数据库,然后在连接有任何问题时抛出异常?
因此,答案的第一部分是如何做主题所问的事情,因为这是我最初解释它的方式,有些人似乎觉得有帮助。这个问题已经澄清,我已经扩展了答案来解决这个问题。
设置计时器
首先,您需要创建一个计时器(我在这里使用的版本):java.util
import java.util.Timer;
..
Timer timer = new Timer();
要运行任务,您需要执行以下操作:
timer.schedule(new TimerTask() {
@Override
public void run() {
// Your database code here
}
}, 2*60*1000);
// Since Java-8
timer.schedule(() -> /* your database code here */, 2*60*1000);
要使任务在工期后重复执行,您需要执行以下操作:
timer.scheduleAtFixedRate(new TimerTask() {
@Override
public void run() {
// Your database code here
}
}, 2*60*1000, 2*60*1000);
// Since Java-8
timer.scheduleAtFixedRate(() -> /* your database code here */, 2*60*1000, 2*60*1000);
使任务超时
要专门执行已阐明的问题所提出的问题,即尝试在给定时间段内执行任务,可以执行以下操作:
ExecutorService service = Executors.newSingleThreadExecutor();
try {
Runnable r = new Runnable() {
@Override
public void run() {
// Database task
}
};
Future<?> f = service.submit(r);
f.get(2, TimeUnit.MINUTES); // attempt the task for two minutes
}
catch (final InterruptedException e) {
// The thread was interrupted during sleep, wait or join
}
catch (final TimeoutException e) {
// Took too long!
}
catch (final ExecutionException e) {
// An exception from within the Runnable task
}
finally {
service.shutdown();
}
如果任务在 2 分钟内完成,这将正常执行,但会出现异常。如果它的运行时间超过此时间,则将引发 TimeoutException。
一个问题是,尽管您将在两分钟后收到TimeoutException,但该任务实际上将继续运行,尽管据推测,数据库或网络连接最终会超时并在线程中引发异常。但请注意,在发生这种情况之前,它可能会消耗资源。
使用这个
long startTime = System.currentTimeMillis();
long elapsedTime = 0L.
while (elapsedTime < 2*60*1000) {
//perform db poll/check
elapsedTime = (new Date()).getTime() - startTime;
}
//Throw your exception