Java
下面的这断代码大家应该再熟悉不过了,线程休眠需要捕获或者抛出线程中断异常,也就是在睡觉的时候突然有个人冲进来把你吵醒了。

  1. try {
  2. Thread.sleep(3000);
  3. } catch (InterruptedException e) {
  4. e.printStackTrace();
  5. }

此时线程被打断后,代码会继续运行或者抛出异常结束运行,这并不是需要的中断线程的作用。

到底是什么是线程中断?

线程中断即线程运行过程中被其他线程给打断了,它与 stop 最大的区别是:stop 是由系统强制终止线程,而线程中断则是给目标线程发送一个中断信号,如果目标线程没有接收线程中断的信号并结束线程,线程则不会终止,具体是否退出或者执行其他逻辑由目标线程决定。
来看下线程中断最重要的 3 个方法,它们都是来自 Thread 类!
1、java.lang.Thread#interrupt
中断目标线程,给目标线程发一个中断信号,线程被打上中断标记。
2、java.lang.Thread#isInterrupted()
判断目标线程是否被中断,不会清除中断标记。
3、java.lang.Thread#interrupted
判断目标线程是否被中断,会清除中断标记。

线程中断实战

来实例演示下线程中断如何用!

示例1(中断失败)

  1. private static void test1() {
  2. Thread thread = new Thread(() -> {
  3. while (true) {
  4. Thread.yield();
  5. }
  6. });
  7. thread.start();
  8. thread.interrupt();
  9. }

请问示例1中的线程会被中断吗?答案:不会,因为虽然给线程发出了中断信号,但程序中并没有响应中断信号的逻辑,所以程序不会有任何反应。

示例2(中断成功)

  1. private static void test2() {
  2. Thread thread = new Thread(() -> {
  3. while (true) {
  4. Thread.yield();
  5. // 响应中断
  6. if (Thread.currentThread().isInterrupted()) {
  7. System.out.println("线程被中断,程序退出。");
  8. return;
  9. }
  10. }
  11. });
  12. thread.start();
  13. thread.interrupt();
  14. }

给示例2加上了响应中断的逻辑,程序接收到中断信号打印出信息后返回退出。

示例3(中断失败)

  1. private static void test3() throws InterruptedException {
  2. Thread thread = new Thread(() -> {
  3. while (true) {
  4. // 响应中断
  5. if (Thread.currentThread().isInterrupted()) {
  6. System.out.println("线程被中断,程序退出。");
  7. return;
  8. }
  9. try {
  10. Thread.sleep(3000);
  11. } catch (InterruptedException e) {
  12. System.out.println("线程休眠被中断,程序退出。");
  13. }
  14. }
  15. });
  16. thread.start();
  17. Thread.sleep(2000);
  18. thread.interrupt();
  19. }

示例3 sleep() 方法被中断,并输出了 线程休眠被中断,程序退出。 程序继续运行……为什么呢?
来看 sleep 的源码:
image.png
可以看出 sleep() 方法被中断后会清除中断标记,所以循环会继续运行。。

示例4(中断成功)

  1. private static void test4() throws InterruptedException {
  2. Thread thread = new Thread(() -> {
  3. while (true) {
  4. // 响应中断
  5. if (Thread.currentThread().isInterrupted()) {
  6. System.out.println("线程被中断,程序退出。");
  7. return;
  8. }
  9. try {
  10. Thread.sleep(3000);
  11. } catch (InterruptedException e) {
  12. System.out.println("线程休眠被中断,程序退出。");
  13. Thread.currentThread().interrupt();
  14. }
  15. }
  16. });
  17. thread.start();
  18. Thread.sleep(2000);
  19. thread.interrupt();
  20. }

示例4全部信息输出并正常退出,只是在 sleep() 方法被中断并清除标记后手动重新中断当前线程,然后程序接收中断信号返回退出。