错误思路
stop():调用 Thred 的静态方法直接杀死线程
System.exit(int):除了直接杀死线程,还会直接停止掉运行线程的应用程序
为什么说这是错误的思路呢?比如 t1 调用了 t2 线程,此时需要终止掉 t2 线程,但是在 t2 线程体中还有被锁住的共享资源,此时还未释放锁,如果直接调用 stop()方法去终止线程,那么 t1 就无法得到共享资源,显然这两种方法存在一定的弊端!
两阶段终结模式
引入两阶段终结模式,也就是为了解决上述存在的弊端。简单理解为两步:
第一阶段:打断线程运行状态
第二阶段:处理和释放其它共享资源
此终结模式并不是真正意义上面的终止,也就是不能通过调用线程的 stop()方法或者 System.exit(0)方法进行杀死线程。
看一个例子:
场景:我们需要在 main 线程中终止 t1(监控)线程的运行
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39
| import java.util.concurrent.TimeUnit;
public class Test1 {
public static void main(String[] args) throws InterruptedException { test(); System.out.println("cleared!"); }
public static void test() {
Thread t1 = new Thread(() -> { Thread currentThread = Thread.currentThread(); while (true) { if (currentThread.isInterrupted()) { System.out.println("process after sth"); break; } try { System.out.println("running in thread"); TimeUnit.SECONDS.sleep(1); System.out.println("do sth.."); } catch (InterruptedException e) {
currentThread.interrupt();
} } }, "t1");
t1.start();
System.out.println("clear.."); t1.interrupt();
} }
|