Usando interrupção para notificar a parada do encadeamento em java

Estou participando do "Programa Nuggets · Sailing"

Use interrupção para dizer ao thread para parar de funcionar, não forçá-lo a parar!

Parar o thread em caso normal

public class RightWayStopThreadWithoutSleep implements Runnable {

    @Override
    public void run() {
        int num = 0;
        while (!Thread.currentThread().isInterrupted() && num <= Integer.MAX_VALUE / 2) {
            if (num % 10000 == 0) {
                System.out.println(num + "是1W的倍数");
            }
            num++;
        }
        System.out.println("任务运行结束!");
    }

    public static void main(String[] args) throws InterruptedException {
        Thread thread = new Thread(new RightWayStopThreadWithoutSleep());
        thread.start();
        // 等待1s
        Thread.sleep(1000);
        // 通知停止线程
        thread.interrupt();
    }
}
复制代码

Use thread.interrupt() para notificar o thread para parar

Mas os tópicos precisam cooperar :

Use Thread.currentThread().isInterrupted() em while para detectar o estado atual do thread

resultado da operação:

……
……
2217300001W的倍数
2217400001W的倍数
2217500001W的倍数
2217600001W的倍数
2217700001W的倍数
2217800001W的倍数
2217900001W的倍数
2218000001W的倍数
任务运行结束!

Process finished with exit code 0
复制代码

Parar um encadeamento se ele estiver bloqueado

public class RightWayStopThreadWithSleep {
    public static void main(String[] args) throws InterruptedException {
        Runnable runnable = () -> {
            int num = 0;
            while (num <= 300 && !Thread.currentThread().isInterrupted()) {
                if (num % 100 == 0) {
                    System.out.println(num + "是100的倍数");
                }
                num++;
            }
            try {
                // 等个1秒,模拟阻塞
                Thread.sleep(1000);
            } catch (InterruptedException e) {
                System.out.println("线程已停止!!");
                e.printStackTrace();
            }
        };

        Thread thread = new Thread(runnable);
        thread.start();
        // 等待时间要小于上面设置的1秒,不然线程都运行结束了,才执行到下面的thread.interrupt();代码
        Thread.sleep(500);
        // 通知停止线程
        thread.interrupt();
    }
}
复制代码

A thread é interrompida quando recebe o sinal de interrupção durante o sono por 1 segundo.

A maneira como um thread responde a uma interrupção durante o sono é lançar um InterruptedException

resultado da operação:

0是100的倍数
100是100的倍数
200是100的倍数
300是100的倍数
线程已停止!!
java.lang.InterruptedException: sleep interrupted
    at java.lang.Thread.sleep(Native Method)
    at stopthreads.RightWayStopThreadWithSleep.lambda$main$0(RightWayStopThreadWithSleep.java:19)
    at java.lang.Thread.run(Thread.java:748)

Process finished with exit code 0
复制代码

Pare o encadeamento se ele bloquear após cada iteração

public class RightWayStopThreadWithSleepEveryLoop {
    public static void main(String[] args) throws InterruptedException {
        Runnable runnable = () -> {
            int num = 0;
            try {
                while (num <= 10000) {
                    if (num % 100 == 0) {
                        System.out.println(num + "是100的倍数");
                    }
                    num++;
                    // 每次循环都要等待10毫秒,模拟阻塞
                    Thread.sleep(10);
                }
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        };

        Thread thread = new Thread(runnable);
        thread.start();
        // 5秒后通知停止线程
        Thread.sleep(5000);
        thread.interrupt();
    }
}
复制代码

Quando cada iteração bloqueará o encadeamento por um período de tempo, quando a condição do loop while/for for julgada,

Não é necessário usar * Thread.currentThread().isInterrupted() * para determinar se a thread está interrompida

resultado da operação:

0是100的倍数
100是100的倍数
200是100的倍数
300是100的倍数
400是100的倍数
java.lang.InterruptedException: sleep interrupted
复制代码

Se você colocar o try/catch no código acima dentro de um loop while

public class RightWayStopThreadWithSleepEveryLoop {
    public static void main(String[] args) throws InterruptedException {
        Runnable runnable = () -> {
            int num = 0;
            while (num <= 10000) {
                if (num % 100 == 0) {
                    System.out.println(num + "是100的倍数");
                }
                num++;
                try {
                    // 每次循环都要等待10毫秒,模拟阻塞
                    Thread.sleep(10);
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            }
        };

        Thread thread = new Thread(runnable);
        thread.start();
        // 5秒后通知停止线程
        Thread.sleep(5000);
        thread.interrupt();
    }
}
复制代码

resultado da operação:

0是100的倍数
100是100的倍数
200是100的倍数
300是100的倍数
400是100的倍数
java.lang.InterruptedException: sleep interrupted
    at java.lang.Thread.sleep(Native Method)
    at stopthreads.RightWayStopThreadWithSleepEveryLoop.lambda$main$0(RightWayStopThreadWithSleepEveryLoop.java:18)
    at java.lang.Thread.run(Thread.java:748)
500是100的倍数
600是100的倍数
700是100的倍数
……
……

复制代码

Você descobrirá que, embora uma exceção seja lançada, o programa não para e continua a produzir,

Mesmo que a condição !Thread.currentThread().isInterrupted() seja adicionada ao julgamento da condição while , o programa não pode ser interrompido!

A razão é

java语言在设计 sleep() 函数时,有这样一个理念:

就是当它一旦响应中断,便会把 interrupt 标记位清除。

也就是说,虽然线程在 sleep 过程中收到了 interrupt 中断通知,并且也捕获到了异常、打印了异常信息,

但是由于 sleep 设计理念,导致 Thread.currentThread().isInterrupted() 标记位会被清除,

所以才会导致程序不能退出。

这里如果要停止线程,只需要在 catch 内 再调用一次 interrupt(); 方法

try {
    // 每次循环都要等待10毫秒,模拟阻塞
    Thread.sleep(10);
} catch (InterruptedException e) {
    e.printStackTrace();
    Thread.currentThread().interrupt();
}
复制代码

所以说,不要以为调用了 interrupt() 方法,线程就一定会停止。

两种停止线程最佳方法

1. 捕获了 InterruptedException 之后的优先选择:在方法签名中抛出异常
public class RightWayStopThreadInProd implements Runnable {

    public static void main(String[] args) throws InterruptedException {
        Thread thread = new Thread(new RightWayStopThreadInProd());
        thread.start();
        Thread.sleep(1000);
        thread.interrupt();
    }

    @Override
    public void run() {
        while (true) {
            System.out.println("go...");
            try {
                throwInMethod();
            } catch (InterruptedException e) {
                // 捕获异常,进行保存日志、停止程序等操作
                System.out.println("stop");
                e.printStackTrace();
            }
        }
    }

    /**
     * 如果方法内要抛出异常,最好是将异常抛出去,由顶层的调用方去处理,而不是try/catch
     * 这样调用方才能捕获异常并作出其它操作
     * @throws InterruptedException
     */
    private void throwInMethod() throws InterruptedException {
        Thread.sleep(2000);
    }
}
复制代码

如果方法内要抛出异常,最好是将异常抛出去,由顶层的调用方去处理,而不是 try/catch

这样调用方才能捕获异常并做出其它操作。

2. 在 catch 中调用 Thread.currentThread().interrupt(); 来恢复设置中断状态
public class RightWayStopThreadInProd2 implements Runnable {

    public static void main(String[] args) throws InterruptedException {
        Thread thread = new Thread(new RightWayStopThreadInProd2());
        thread.start();
        Thread.sleep(1000);
        thread.interrupt();
    }

    @Override
    public void run() {
        while (true) {
            if (Thread.currentThread().isInterrupted()) {
                System.out.println("程序运行结束");
                break;
            }
            reInterrupt();
        }
    }

    private void reInterrupt() {
        try {
            Thread.sleep(2000);
        } catch (InterruptedException e) {
            Thread.currentThread().interrupt();
            e.printStackTrace();
        }
    }
}
复制代码

这里的 if (Thread.currentThread().isInterrupted()) 判断,就是要你的代码有响应中断的能力。

总结

  1. 调用 interrupt 方法不一定会中断线程
  2. 通知线程停止,线程不会立即停止,而是会在合适的时候停止
  3. 代码要有响应中断的能力

おすすめ

転載: juejin.im/post/7146124381147070495