如何设置一个计时器(例如 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 分钟内完成,这将正常执行,但有异常(exception)。如果运行时间超过该时间,将抛出 TimeoutException。
一个问题是,尽管您会在两分钟后收到 TimeoutException,但任务实际上会继续运行,尽管数据库或网络连接可能最终会超时并在线程中引发异常。但请注意,在此之前它可能会消耗资源。
我是一名优秀的程序员,十分优秀!