Java Thread interrupt() 方法



描述

Java Thread interrupt() 方法中断此线程。中断非活动线程可能没有任何效果。

声明

以下是java.lang.Thread.interrupt() 方法的声明

public void interrupt()

参数

返回值

此方法不返回值。

异常

SecurityException − 如果当前线程无法修改此线程。

示例:中断线程

以下示例演示了 Java Thread interrupt() 方法的使用。在这个程序中,我们通过实现 Runnable 接口创建了一个线程类 ThreadDemo。在构造函数中,使用 new Thread 创建了一个新线程。它的名称使用 getName() 打印,并使用 start() 方法启动线程。使用 isInterrupted() 方法,我们检查线程是否未被中断,然后使用 interrupt() 方法中断线程。此后,我们使用 join() 方法阻塞线程。在 run() 方法中,我们在 while(true) 循环中添加了 1 秒的休眠,这会导致 InterruptedException。

在主方法中,我们创建了两个 ThreadDemo 线程。

package com.tutorialspoint;

public class ThreadDemo implements Runnable {

   Thread t;

   ThreadDemo() {

      t = new Thread(this);
      System.out.println("Executing " + t.getName());
      // this will call run() fucntion
      t.start();
        
      // tests whether this thread has been interrupted
      if (!t.isInterrupted()) {
         t.interrupt();
      }
      // block until other threads finish
      try {  
         t.join();
      } catch(InterruptedException e) {}
   }

   public void run() {
      try {       
         while (true) {
            Thread.sleep(1000);
         }
      } catch (InterruptedException e) {
         System.out.print(t.getName() + " interrupted:");
         System.out.println(e.toString());
      }
   }

   public static void main(String args[]) {
      new ThreadDemo();
      new ThreadDemo();
   }
} 

输出

让我们编译并运行上述程序,这将产生以下结果:

Executing Thread-0
Thread-0 interrupted:java.lang.InterruptedException: sleep interrupted
Executing Thread-1
Thread-1 interrupted:java.lang.InterruptedException: sleep interrupted
java_lang_thread.htm
广告