当线程处于阻塞状态时,调用interrupt()方法会使线程抛出InterruptedException异常,从而中断线程。举个java代码例子
时间: 2023-05-16 16:07:14 浏览: 108
当线程处于阻塞状态时,调用interrupt()方法会使线程抛出InterruptedException异常,从而中断线程。以下是一个Java代码示例:
```
Thread t = new Thread(() -> {
try {
Thread.sleep(5000); // 线程休眠5秒
} catch (InterruptedException e) {
System.out.println("线程被中断");
return;
}
System.out.println("线程执行完毕");
});
t.start(); // 启动线程
// 等待2秒后中断线程
try {
Thread.sleep(2000);
} catch (InterruptedException e) {
e.printStackTrace();
}
t.interrupt(); // 中断线程
```
相关问题
park方法不会抛出InterruptedException,但是它也会响应中断。当外部线程对阻塞线程调用interrupt方法时,park阻塞的线程也会立刻返回,如下代码:
在Java并发编程中,`Thread.sleep()`、`Object.wait()`等方法会阻塞当前线程直到被唤醒。`java.util.concurrent.locks.Condition`接口下的`await()`方法,比如`BlockingQueue.take()`或者`Semaphore.acquire()`等,它们有一个共同的行为——`park()方法`。这个方法会使得线程进入等待状态,并且不会抛出`InterruptedException`,这是为了保持线程的优雅终止。
然而,当外部线程调用`interrupt()`方法中断了阻塞线程时,`park()`方法并不会立即抛出异常,而是允许线程检查中断标记(`Thread.interrupted()`方法),然后可以选择是否恢复中断并结束。如果线程没有检测到中断,或者选择忽略中断,那么它会在合适的时候继续执行,如队列中有元素可用或者信号量被释放时。
例如:
```java
try {
condition.await(); // 这里可能会被中断
} catch (InterruptedException e) {
Thread.currentThread().interrupt(); // 重新设置中断标志
}
```
以下说法正确的是 (ACD) A. 调用Thread.interrupt() 用于请求另外一个线程中止执行,而不是直接中止 B. 推荐使用Thread.current().isInterrupted(),而不是Thread.interrupted()检查自己是否被interrupt C. 检测到当前线程被interrupt后,应抛出InterruptedException,并在finally或try-with-resource中清理执行状态 D. 调用线程的interrupt方法,只有当线程走到了sleep, wait, join等阻塞这些方法的时候,才会抛出InterruptedException
根据给出的说法,以下是正确的:
A. 调用 `Thread.interrupt()` 用于请求另外一个线程中止执行,而不是直接中止。
C. 检测到当前线程被 `interrupt` 后,应抛出 `InterruptedException`,并在 `finally` 或 `try-with-resource` 中清理执行状态。
D. 调用线程的 `interrupt` 方法,只有当线程走到了 `sleep`、`wait`、`join` 等阻塞这些方法的时候,才会抛出 `InterruptedException`。
因此,选项 A、C 和 D 是正确的。
关于选项 B,实际上 `Thread.currentThread().isInterrupted()` 和 `Thread.interrupted()` 都可以用于检查线程是否被中断,但是它们的使用场景略有不同。`Thread.currentThread().isInterrupted()` 用于检查当前线程是否被中断,而 `Thread.interrupted()` 不仅会检查当前线程的中断状态,还会将当前线程的中断状态重置为未中断状态。因此,在某些情况下,使用 `Thread.currentThread().isInterrupted()` 可能更合适。
希望对你有所帮助!
阅读全文