如何在Java中调用一些超时的阻塞方法?

2022-08-31 09:50:08

有没有一种标准的好方法来调用Java中超时的阻塞方法?我希望能够做到:

// call something.blockingMethod();
// if it hasn't come back within 2 seconds, forget it

如果这有意义的话。

谢谢。


答案 1

您可以使用执行器:

ExecutorService executor = Executors.newCachedThreadPool();
Callable<Object> task = new Callable<Object>() {
   public Object call() {
      return something.blockingMethod();
   }
};
Future<Object> future = executor.submit(task);
try {
   Object result = future.get(5, TimeUnit.SECONDS); 
} catch (TimeoutException ex) {
   // handle the timeout
} catch (InterruptedException e) {
   // handle the interrupts
} catch (ExecutionException e) {
   // handle other exceptions
} finally {
   future.cancel(true); // may or may not desire this
}

如果 在 5 秒内未返回,则会抛出 .超时可以以秒、分钟、毫秒为单位进行配置,也可以配置在 中作为常量提供的任何单位。future.getTimeoutExceptionTimeUnit

有关更多详细信息,请参阅 JavaDoc


答案 2

您可以将调用包装在 a 中,并使用 get() 的超时版本。FutureTask

查看 http://java.sun.com/j2se/1.5.0/docs/api/java/util/concurrent/FutureTask.html


推荐