线程终止
通过 stop 终止
已被 jdk 弃用,它可能导致线程安全问题。
通过 interrupt 终止
推荐使用的方式。
通过标志位终止
代码逻辑中增加一个判断,用于控制程序终止。用于代码逻辑是一种循环执行的业务逻辑
代码演示
StopThread 实现 i 自增 j 自增
public class StopThread extends Thread{
private int i=0,j=0;
@Override
public void run() {
++i;
try{
Thread.sleep(1000L);
} catch (InterruptedException e) {
e.printStackTrace();
}
++j;
}
public void print() {
System.out.println("i=" + i + " j=" + j);
}
}
线程终止操作
public class Hello {
public static void main(String[] args) throws InterruptedException{
StopThread thread = new StopThread();
thread.start();
Thread.sleep(100);
//thread.stop(); 不推荐
thread.interrupt();
while (thread.isAlive()) {
// 确保线程已经终止
System.out.println(thread.getState().toString());
} // 输出结果
thread.print();
System.out.println(thread.getState().toString());
}
}
stop 终止输出
TIMED_WAITING
i=1 j=0
TERMINATED
interrupt 终止输出
TIMED_WAITING
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
RUNNABLE
i=1 j=1
TERMINATED
java.lang.InterruptedException: sleep interrupted
at java.lang.Thread.sleep(Native Method)
at hello.StopThread.run(StopThread.java:10)
通过标志位终止
public class Hello {
public volatile static boolean flag = true;
public static void main(String[] args) throws InterruptedException {
new Thread(() -> {
try {
while (flag) { // 判断是否运行
System.out.println("运行中");
Thread.sleep(1000L);
}
} catch (InterruptedException e) {
e.printStackTrace();
}
}).start();
// 3秒之后,将状态标志改为False,代表不继续运行
Thread.sleep(3000L);
flag = false;
System.out.println("程序运行结束");
}
}
网友评论