wait() and notify() in Java: A Simple Scenario with Queue
In Java, the wait() and notify() methods provide a mechanism for thread synchronization. Let's explore a simple scenario where these methods can be used to implement a blocking queue.
Blocking Queue Implementation
A blocking queue is a queue data structure that blocks threads when trying to perform certain operations if specific conditions are not met. In our implementation, we will implement the put() and take() methods, which will block if the queue is full or empty, respectively.
public class BlockingQueue<T> { private Queue<T> queue = new LinkedList<>(); private int capacity; public BlockingQueue(int capacity) { this.capacity = capacity; } // Blocks if the queue is full (no space to insert) public synchronized void put(T element) throws InterruptedException { while (queue.size() == capacity) { wait(); } queue.add(element); notifyAll(); } // Blocks if the queue is empty (nothing to remove) public synchronized T take() throws InterruptedException { while (queue.isEmpty()) { wait(); } T item = queue.remove(); notifyAll(); return item; } }
Usage
Now, let's see how to use this blocking queue.
BlockingQueue<Integer> queue = new BlockingQueue<>(10); // Producer thread: adds elements to the queue new Thread(() -> { for (int i = 0; i < 15; i++) { try { queue.put(i); } catch (InterruptedException e) { e.printStackTrace(); } } }).start(); // Consumer thread: retrieves elements from the queue new Thread(() -> { for (int i = 0; i < 15; i++) { try { System.out.println(queue.take()); } catch (InterruptedException e) { e.printStackTrace(); } } }).start();
In this example, the producer thread will add elements to the queue, blocking when it reaches the capacity limit. The consumer thread will retrieve elements, blocking when the queue is empty.
Key Considerations
The above is the detailed content of How Do Java\'s `wait()` and `notify()` Methods Implement a Blocking Queue?. For more information, please follow other related articles on the PHP Chinese website!