Java终止线程的两种方法
作者:小林想被监督学习
本文主要介绍了Java终止线程的两种方法,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随着小编来一起学习学习吧
终止的基本思路
正常情况下不会出现run还没有执行完,线程突然就没了的情况,所以我们想要终止线程就要让run尽快执行完毕,以下代码都是通过让run尽快执行完毕这个思路来终止线程的
一.程序员手动设置标志位
package 停止多线程的方式; /** * Created with IntelliJ IDEA. * Description: * User: wuyulin * Date: 2023-07-24 * Time: 23:06 */ //1.程序员手动设置标志位,通过手动设置的标志位来让run尽快结束 public class Demo1 { private static boolean isQuit=false; public static void main(String[] args) { //boolean isQuit=false; Thread thread=new Thread(()->{ while (!isQuit){ System.out.println("hello thread"); try { Thread.sleep(1000); } catch (InterruptedException e) { throw new RuntimeException(e); } } }); thread.start(); try { Thread.sleep(4000); } catch (InterruptedException e) { throw new RuntimeException(e); } System.out.println("标注位修改,进程退出"); isQuit=true; } }
在该方法中需要注意标志位的初始化位置,可以看lambda表达式中调用局部变量发生错误这篇博客描述了更多细节
二.使用Thread自带的标志位
package 停止多线程的方式; /** * Created with IntelliJ IDEA. * Description: * User: wuyulin * Date: 2023-07-25 * Time: 12:17 */ //使用Thread自带的标志位 public class Demo2 { public static void main(String[] args) { Thread thread=new Thread(()->{ //调用currentThread()静态方法可以获得当前线程的对象,也就是定义好了的thread // 再用这个对象去调用isInterrupted()方法获得Thread自带的标志位 while (!Thread.currentThread().isInterrupted()){ //Thread.currentThread().isInterrupted()可以用Thread.interrupted()代替 // 但是不建议,因为interrupted()方法会在判定标志位的同时清除标志位 System.out.println("hello thread"); try { Thread.sleep(1000); } catch (InterruptedException e) { //throw new RuntimeException(e); break; } } }); thread.start(); try { Thread.sleep(4000); } catch (InterruptedException e) { throw new RuntimeException(e); } thread.interrupt(); //调用interrupt()方法时要是线程正在sleep当中就会强制使sleep抛出一个异常,立即唤醒,但是sleep唤醒了以后 //会自动清除前面设置的标志位,给程序员留下更多的操作空间(接下来的操作在catch中写,比如要终止线程,就在catch中写break) } }
1.要通过Thread.currentThread().isInterrupted()来获取Thread自带的标志位,调用currentThread()静态方法可以获得当前线程的对象,也就是定义好了的thread,再用这个对象去调用isInterrupted()方法获得Thread自带的标志位,这段代码可以用Thread.interrupted()代替但是不建议,因为interrupted()方法会在判定标志位的同时清除标志位,所以不合理,不推荐使用。
2.当线程中有sleep时就说明线程在一些时刻是处于睡眠状态的,就会有一些特殊情况,调用interrupt()方法时要是线程正在sleep当中就会强制使sleep抛出一个异常,立即唤醒,但是sleep唤醒了以后会自动清除前面设置的标志位,给程序员留下更多的操作空间(接下来的操作在catch中写,比如要终止线程,就在catch中写break)
3.要是线程中没有sleep时,thread.interrupt()就正常的修改标志位,将while循环结束,正常终止线程
到此这篇关于Java终止线程的两种方法的文章就介绍到这了,更多相关Java终止线程内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!