在Java中,线程等待通常与synchronized结合使用,以确保线程之间的同步和协调。使用synchronized可以确保多个线程对共享资源的访问是安全的,而线程等待可以用来实现线程之间的协作和同步。
下面是一个示例,展示了如何在Java中使用线程等待与synchronized结合:
public class WaitAndNotifyExample {
public static void main(String[] args) {
final Object lock = new Object();
Thread t1 = new Thread(() -> {
synchronized (lock) {
System.out.println("Thread 1 is waiting...");
try {
lock.wait();
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("Thread 1 has been notified");
}
});
Thread t2 = new Thread(() -> {
synchronized (lock) {
System.out.println("Thread 2 is notifying...");
lock.notify();
System.out.println("Thread 2 has notified");
}
});
t1.start();
t2.start();
}
}
在上面的示例中,我们创建了两个线程t1和t2,t1在synchronized块中调用wait()方法来等待,而t2在synchronized块中调用notify()方法来通知等待的线程。通过结合使用synchronized和wait/notify,我们可以实现线程之间的协作和同步。
需要注意的是,调用wait()方法会让线程释放锁并进入等待状态,直到其他线程调用notify()方法来唤醒它。因此,在使用wait和notify时,必须在synchronized块中调用它们以确保线程安全。