使用start()方法能够启动线程。java
start()方法的含义是告知线程规划器线程已初始化完毕,能够分给这个线程时间片了(执行run()方法)。安全
import java.util.concurrent.TimeUnit; public class Shutdown { public static void main(String[] args) throws Exception { Runner one = new Runner(); Thread countThread = new Thread(one, "CountThread"); countThread.start(); // 睡眠1秒,main线程对CountThread进行中断,使CountThread可以感知中断而结束 TimeUnit.SECONDS.sleep(1); countThread.interrupt(); Runner two = new Runner(); countThread = new Thread(two, "CountThread"); countThread.start(); // 睡眠1秒,main线程对Runner two进行取消,使CountThread可以感知on为false而结束 TimeUnit.SECONDS.sleep(1); two.cancel(); } private static class Runner implements Runnable { private long i; private volatile boolean on = true; @Override public void run() { while (on && !Thread.currentThread().isInterrupted()) { i++; } System.out.println("Count i = " + i); } public void cancel() { on = false; } } }
Count i = 364902562多线程
Count i = 239832801ide
代码中target为one时是使用interrupt(),运行中的线程(main主线程)调用线程countThread的interrupt()方法,向countThread线程打了个“招呼”,对countThread线程作了中断操做。咱们看JDK源码中interrupt()方法的源码:spa
看注释:线程
// Just to set the interrupt flagcode
说的很是明白,对标识位进行了设置。就是将 interrupt flag 设置为true。将线程的中断标识位 interrupt flag 属性设置为了true。blog
因此while条件中 Thread.currentThread().isInterrupted() 返回为true。而后代码跳出了while循环。资源
代码中target为two时是显式地将中止标识变量on(为volatile变量)变为false,而后跳出while循环。get
Thread的stop()方法也能够终止线程,可是很直接暴力,并且可能会引发死锁。
因此stop()方法被被遗弃了。
使用【中断操做】和【volatile修饰的中止标识变量】的方式中止线程,使线程在终止时有机会清理资源。
1.run()方法中通常都有while条件。
2.将中止标识变量(最好定义为volatile变量,多线程场景下可以立马读取该变量)写入while条件。
3.显式的调用改变中止标识变量的方法,就能够安全而优雅的中止线程了。