Java的Thread.sleep何时抛出InterruptedException?

Java的Thread.sleep何时抛出InterruptedException? 忽略它是否安全? 我没有做任何multithreading。 我只想等待几秒钟,然后重试一些操作。

你通常不应该忽略exception。 看看下面的文章:

不要吞咽中断

有时候抛出InterruptedException不是一个选项,比如Runnable定义的任务调用可中断的方法。 在这种情况下,你不能重新抛出InterruptedException,但你也不想做任何事情。 当阻塞方法检测到中断并抛出InterruptedException时,它将清除中断状态。 如果您发现InterruptedException,但无法重新抛出它,则应该保留证据表明发生了中断,以便调用堆栈上的更高代码可以获知中断,并在需要时对其进行响应。 这个任务是通过调用interrupt()来“重新中断”当前线程来完成的,如清单3所示。至less,每当你捕获InterruptedException并且不重新抛出它时,在返回之前重新中断当前线程。

 public class TaskRunner implements Runnable { private BlockingQueue<Task> queue; public TaskRunner(BlockingQueue<Task> queue) { this.queue = queue; } public void run() { try { while (true) { Task task = queue.take(10, TimeUnit.SECONDS); task.execute(); } } catch (InterruptedException e) { // Restore the interrupted status Thread.currentThread().interrupt(); } } } 
  • 从不要吞咽中断

在这里查看整个论文:

http://www.ibm.com/developerworks/java/library/j-jtp05236/index.html?ca=drs-

如果抛出一个InterruptedException,这意味着某事想要中断(通常是终止)该线程。 这是通过调用线程interrupt()方法触发的。 wait方法检测并抛出一个InterruptedException,以便catch代码可以立即处理终止请求,不必等到指定的时间结束。

如果您在单线程应用程序(以及一些multithreading应用程序)中使用它,那么将永远不会触发该exception。 忽略它有一个空的catch子句我不会推荐。 InterruptedException的抛出清除了线程的中断状态,所以如果处理不当,该信息会丢失。 所以我会build议运行:

 } catch (InterruptedException e) { Thread.currentThread().interrupt(); // code for stopping current task so thread stops } 

其中又设置了这个状态。 之后,完成执行。 这将是正确的行为,即使强硬从未使用。

还有什么更好的办法是增加一个:

 } catch (InterruptedException e) { assert false; } 

声明到catch块。 这基本上意味着它永远不会发生。 所以如果代码在可能发生的环境中被重复使用,就会抱怨它。

Java专家通讯(我可以毫无保留地推荐)有一篇有趣的文章 ,以及如何处理InterruptedException 。 这是值得阅读和消化。

在单线程代码中处理它的一种可靠且简单的方法是将其捕获并在RuntimeException中重新实现,以避免需要为每种方法声明它。

Thread sleep()wait()方法可能会抛出InterruptedException 。 如果其他thread想要中断正在等待或正在hibernate的thread ,就会发生这种情况。

InterruptedException通常在睡眠中断时抛出。