重点的放在前面:
https://dzone.com/articles/how-to-handle-the-interruptedexception
1、一图胜千言
参考:http://www.importnew.com/21136.html
2、源码最有说服力。
根据Java Doc的定义
Thrown when a thread is waiting, sleeping, or otherwise occupied, and the thread is interrupted, either before or during the activity. Occasionally a method may wish to test whether the current thread has been interrupted, and if so, to immediately throw this exception.
当一个线程处于等待,睡眠,或者占用,也就是说阻塞状态,而这时线程被中断就会抛出这类错误。Java6之后结束某个线程A的方法是A.interrupt()。InterruptedException出现一般都是因为在线程执行的时候被打断(interrupt),线程(A)不是自己打断自己,一般都是在另外一个线程(B)中执行中断方法(objA.interrupt())。如果这个线程正处于非阻塞状态,比如说线程正在执行某些代码的时候,被interrupt【参见源码方法】,那么该线程的interrupt变量会被置为true,告诉别人说这个线程被中断了(只是一个标志位,这个变量本身并不影响线程的中断与否),而且线程会被中断,这时不会有interruptedException。每个线程都管理一个自己的中断状态(interruption status),它可以通过Thread#interrupt()方法设置位中断状态,或则使Thread#interrupted()重置状态。另外,Thread#isInterrupted()通常用来判断是否处以中断状态。但如果这时线程被阻塞了,比如说正在睡眠,那么就会抛出这个错误。这个时候变量interrupt没有被置为true,而且也没有人来中断这个线程。比如如下的代码:
- while(true){
- try {
- Thread.sleep(1000);
- }catch(InterruptedException ex) {
- logger.error("thread interrupted",ex);
- }
- }
当线程执行sleep(1000)之后会被立即阻塞,如果在阻塞时外面调用interrupt来中断这个线程,那么就会执行
logger.error("thread interrupted",ex);
注意: sleep被打断后会重置中断状态并抛出InterruptedException异常,也就是说当sleep catch住的代码块中,当前线程已经不是中断状态了,如果要终止程序,需要再次调用Thread.currentThread.interrupt(),Thread.currentThread.interrupt()就是将线程restore的意思了。
这个时候其实线程并未中断,执行完这条语句之后线程会继续执行while循环,开始sleep,所以说如果没有对InterruptedException进行处理,后果就是线程可能无法中断
所以,在任何时候碰到InterruptedException,都要手动把自己这个线程中断。由于这个时候已经处于非阻塞状态,所以可以正常中断,最正确的代码如下:
- while(!Thread.isInterrupted()){
- try {
- Thread.sleep(1000);
- }catch(InterruptedException ex) {
- Thread.interrupt()
- }
- }
对于更为复杂的情况,除了要把自己的线程中断之外,还有可能需要抛出InterruptedException给上一层代码。
3、总结:
在出现InterruptedException时不应该做的事情是,捕获它但是不做出任何响应。这将使调用栈上更高层的代码无法对中断采取处理措施,因为线程被中断的证据已经丢失。
方法:
1、传递InterruptedException。避开这个异常通常是最明智的策略——只需把InterruptedException传递给方法调用者。抛出异常。
2、恢复中断。有时候不能抛出InterruptedException,在这些情况下,必须捕获InterruptedException,并通过调用当前线程上的interrupt方法恢复中断状态,这样在调用栈中更高层的代码将看到引发了一个中断。
catch(InterruptedException e){
// 恢复中断状态
Thread.currentThread().interrupt();
}
参考资料:https://blog.csdn.net/srzhz/article/details/6804756
https://blog.csdn.net/kanbuqinghuanyizhang/article/details/52668978
http://www.knowsky.com/889727.html 由浅入深的理解
https://www.ibm.com/developerworks/cn/java/j-jtp05236.html
http://coolxing.iteye.com/blog/1474375
http://ifeve.com/interruptedexception-interrupting-threads/
https://blog.csdn.net/u012572955/article/details/55211649
http://www.importnew.com/17027.html