在Java中,wait()
方法用于讓當前線程等待,直到其他線程調用同一個對象的notify()
或notifyAll()
方法。當線程被喚醒后,它需要重新獲取對象的鎖,然后才能繼續執行。
以下是一個簡單的示例,說明如何使用wait()
和notify()
方法喚醒線程:
public class WaitNotifyExample {
private static final Object lock = new Object();
private static boolean condition = false;
public static void main(String[] args) {
Thread thread1 = new Thread(() -> {
synchronized (lock) {
System.out.println("Thread 1: Waiting for condition...");
try {
lock.wait(); // 當前線程等待
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("Thread 1: Condition met, continuing execution...");
}
});
Thread thread2 = new Thread(() -> {
synchronized (lock) {
try {
Thread.sleep(2000); // 讓線程1等待一段時間
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("Thread 2: Setting condition to true...");
condition = true;
lock.notify(); // 喚醒線程1
}
});
thread1.start();
thread2.start();
}
}
在這個示例中,我們有兩個線程:thread1
和thread2
。thread1
首先進入wait()
方法等待條件滿足。thread2
在等待一段時間后,將條件設置為true
,然后調用notify()
方法喚醒thread1
。thread1
被喚醒后,重新獲取鎖并繼續執行。