- 与前边的保护性暂停中的GuardObject不同,不需要产生结果和消费结果的线程一一对应
- 消费队列可以用来平衡生产和消费的线程资源
- 生产者仅负责产生结果数据,不关心数据该如何处理,而消费者专心处理结果数据
- 消费队列是有容量限制的,队满不会再加入数据,空的时候不会再消耗数据
- JDK中各种阻塞队列,采用的就是这种模式
public class Test {
public static void main(String[] args) {
MessageQueue queue = new MessageQueue(2);
for (int i = 0; i < 3; i++) {
final int id = i;
new Thread(() -> {
queue.put(new Message(id,"值"+id));
},"生产者" + i).start();
}
new Thread(() -> {
while(true){
Message take = queue.take();
System.out.println(take.getId() + " " +System.currentTimeMillis() );
}
},"消费者").start();
}
}
class MessageQueue {
private LinkedList<Message> list = new LinkedList<>();
// 队列的容量
private int capacity;
public MessageQueue(int capacity) {
this.capacity = capacity;
}
// 获取消息
public Message take() {
// 检查队列是否为空
synchronized(list){
while(list.isEmpty()){
try {
list.wait();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
Message message = list.removeFirst();
list.notifyAll();
return message;
}
}
// 存入消息
public void put(Message message) {
synchronized(list){
while(list.size() == capacity){
try {
list.wait();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
list.add(message);
list.notifyAll();
}
}
}
// 线程间通信
final class Message {
private int id;
private Object value;
public Message(int id, Object value) {
this.id = id;
this.value = value;
}
public int getId() {
return id;
}
public Object getValue() {
return value;
}
@Override
public String toString() {
return "Message{" +
"id=" + id +
", value=" + value +
'}';
}
}
?
|