wait()
方法是Java中的一个同步机制,用于让当前线程等待,直到其他线程调用同一个对象的notify()
或notifyAll()
方法。wait()
方法通常与synchronized
关键字和synchronized
块一起使用,以确保线程安全。
以下是wait()
方法的基本用法:
synchronized
关键字修饰方法或代码块。wait()
方法让当前线程等待。调用wait()
方法时,当前线程会释放对象的锁,进入等待状态。notify()
或notifyAll()
方法时,等待的线程会被唤醒。被唤醒的线程需要重新获取对象的锁,然后继续执行。下面是一个简单的示例:
public class WaitNotifyExample {
private static final Object lock = new Object();
private static boolean ready = false;
public static void main(String[] args) {
Thread t1 = new Thread(() -> {
synchronized (lock) {
System.out.println("Thread 1: Waiting for the other thread to set the ready flag.");
try {
lock.wait(); // 当前线程进入等待状态
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("Thread 1: The ready flag is set, and I can continue.");
}
});
Thread t2 = new Thread(() -> {
synchronized (lock) {
try {
Thread.sleep(2000); // 等待2秒
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("Thread 2: Setting the ready flag.");
ready = true;
lock.notify(); // 唤醒等待的线程
}
});
t1.start();
t2.start();
}
}
在这个示例中,我们有两个线程t1
和t2
。t1
线程等待另一个线程t2
设置ready
标志。t2
线程在等待2秒后设置ready
标志,并通过调用lock.notify()
唤醒等待的线程。当t1
线程被唤醒后,它会继续执行并打印出相应的消息。