文章目录
-
- [1. 简介](#1. 简介)
- [2. 常见思路](#2. 常见思路)
-
- [3. 代码实战](#3. 代码实战)
1. 简介
两阶段终止模式(Two-Phase Termination Pattern)是一种软件设计模式,用于管理线程或进程的生命周期。它包括两个阶段:第一阶段是准备阶段,该阶段用于准备线程或进程的停止;第二阶段是停止阶段,该阶段用于执行实际的停止操作。这种模式的主要目的是确保线程或进程在停止之前完成必要的清理和资源释放操作,以避免出现资源泄漏和数据损坏等问题。两阶段终止模式是一种常见的并发编程模式,广泛应用于Java和其他编程语言中。
简单理解就是在一个线程T1中如何"优雅"终止线程T2,这里的优雅就是给T2一个料理后事的机会
2. 常见思路
在一个线程中终止另一个线程的方法场景的有两种
(1) 使用线程对象的Stop()方法停止线程:这中方法是不可行的,stop方法没有真正杀死线程,如果这时线程锁住了共享资源,那么当它被杀死后就没有机会释放这些锁,那么其它线程将永远无法获取锁
(2)使用System.exit(int)方法停止线程:目的仅是停止一个线程,但这中做法会让整个程序都停止
于是就有了两阶段设计模式,具体的运行流程如下:
3. 代码实战
java
import lombok.extern.slf4j.Slf4j;
import java.lang.invoke.MethodHandle;
import java.lang.invoke.MethodType;
public class Main {
public static void main(String[] args) throws InterruptedException {
TwoPhaseTermination twoPhaseTermination=new TwoPhaseTermination();
twoPhaseTermination.start();
Thread.sleep(3500);
twoPhaseTermination.stop();
}
}
class TwoPhaseTermination{
private Thread monitor;
//启动监控线程
public void stop(){
monitor.interrupt();
}
//停止监控线程
public void start(){
monitor=new Thread(()->{
while(true){
Thread thread = Thread.currentThread();
if(thread.isInterrupted()){
System.out.println("料理后事");
break;
}
try {
Thread.sleep(1000);
System.out.println("执行监控记录");
} catch (InterruptedException e) {
e.printStackTrace();
thread.interrupt();
}
}
});
monitor.start();
}
}