线程中断详解

package com.roocon.thread.t2;

public class Demo1 extends Thread {

    public Demo1(String name){
        super(name);
    }

    @Override
    public void run() {
        while(true){
            System.out.println(getName()+"线程执行了");
            try {
                Thread.sleep(1000);
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }
    }

    public static void main(String[] args) {
        Demo1 d1 = new Demo1("first-thread");
        Demo1 d2 = new Demo1("second-thread");
        d1.start();
        d2.start();
        d1.interrupt();
    }
}

运行结果:

first-thread线程执行了
first-thread线程执行了
second-thread线程执行了
java.lang.InterruptedException: sleep interrupted
    at java.lang.Thread.sleep(Native Method)
    at com.roocon.thread.t2.Demo1.run(Demo1.java:17)
second-thread线程执行了
first-thread线程执行了
second-thread线程执行了
first-thread线程执行了

first-thread并没有立即被中断!

再看一个例子:

package com.roocon.thread.t2;

public class Demo2 extends Thread {

    public Demo2(String name){
        super(name);
    }

    @Override
    public void run() {
        try {
            while(true){
                System.out.println(getName()+"线程执行了");
                Thread.sleep(1000);
            }
        } catch (InterruptedException e) {
            e.printStackTrace();
        }
    }

    public static void main(String[] args) {
        Demo2 d1 = new Demo2("first-thread");
        d1.start();
        d1.interrupt();
    }
}

运行结果:

first-thread线程执行了
java.lang.InterruptedException: sleep interrupted
    at java.lang.Thread.sleep(Native Method)
    at com.roocon.thread.t2.Demo2.run(Demo2.java:17)

first-thread线程被中断了!

再看一个例子:

package com.roocon.thread.t2;

public class Demo2 extends Thread {

    public Demo2(String name){
        super(name);
    }

    @Override
    public void run() {
       while (!interrupted()){
           try {
               System.out.println(getName()+"线程执行了");
               Thread.sleep(100);
           } catch (InterruptedException e) {
               e.printStackTrace();
           }
       }
    }

    public static void main(String[] args) {
        Demo2 d1 = new Demo2("first-thread");
        d1.start();
        Demo2 d2 = new Demo2("second-thread");
        d2.start();
        d1.interrupt();
    }
}

输出结果:

second-thread线程执行了
second-thread线程执行了
second-thread线程执行了
second-thread线程执行了
second-thread线程执行了
second-thread线程执行了
second-thread线程执行了

以上输出说明,first-thread也正常的结束了。

总结:

调用interrupt()方法,立刻改变的是中断状态,但如果不是在阻塞态,就不会抛出异常;如果在进入阻塞态后,中断状态为已中断,就会立刻抛出异常。

interrupt方法有待深入研究。

补充:stop方法:它不会释放线程占有的资源,只是让它一直等待下去。--已过时。

作者:凌晨六点半
出处:http://www.cnblogs.com/sunnyDream/

本文版权归作者和博客园共有,欢迎转载,但未经作者同意必须保留此段声明,且在文章页面明显位置给出原文链接,否则保留追究法律责任的权利。 如果您认为这篇文章还不错或者有所收获,您可以通过右边的“打赏”功能 打赏我一杯咖啡【物质支持】,也可以点击右下角的【好文要顶】按钮【精神支持】,因为这两种支持都是我继续写作,分享的最大动力!

原文地址:https://www.cnblogs.com/sunnyDream/p/7995386.html