美文网首页
线程终止

线程终止

作者: 任性一把 | 来源:发表于2019-12-30 17:07 被阅读0次

线程终止

通过 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("程序运行结束");
    }
}

相关文章

  • 线程池(3)终止线程池原理

    终止线程池 一、终止线程池方法 1、 shutdown() 安全的终止线程池 2、 shutdownNow() 强...

  • 【多线程】——4.安全的终止线程

    安全的终止线程 线程正常执行结束,就会终止 除了正常结束外,还有什么方法终止? 设置线程终止标志 public c...

  • 多线程(三)

    线程终止 1.run方法正常退出,线程自然终止2.因为一个没有捕获的异常终止了run方法,线程意外终止 线程中断 ...

  • threading模块中join()和setDaemon()

    setDaemon():将该线程声明为守护线程setDaemon(True),子线程会随着父线程的终止而终止;否则...

  • 线程终止

    线程终止 通过 stop 终止 已被 jdk 弃用,它可能导致线程安全问题。 通过 interrupt 终止 推荐...

  • 线程终止

    通知终止 场景:在主线程中启动子线程,如何让主线程通知到子线程,从而让子线程终止

  • 多线程系列09-线程终止与线程中断

    线程终止:在Thread类中JDK给我们提供了一个终止线程的方法stop(); 该方法一经调用就会立即终止该线程,...

  • 两阶段终止模式

    一个线程执行完自己的任务,自己就会进入终止状态。但是如果使用一个线程T1,终止线程T2,如何优雅的终止线程。优雅指...

  • 线程中断和终止

    线程中断的定义:(我的理解)就是中断不同于终止,终止是将处于阻塞状态的线程终止,清理资源.通常中断的线程不在执行状...

  • 线程中断

    Java的中断是一种协作机制,线程中断不会终止线程的运行,但是可以通过线程中断来实现终止线程运行。 线程在不同状态...

网友评论

      本文标题:线程终止

      本文链接:https://www.haomeiwen.com/subject/zummoctx.html