在上文中的多线程高并发中,我们已经知道一个阻塞队列的三个基本功能了:
而本次用Java实现好的ArrayBlockQueue来实现生产者-消费者模式。
package com.lcz.tencent.thread; import java.util.concurrent.ArrayBlockingQueue; // 阻塞队列实现多线程下的生产者和消费者模式 public class ArrayBlockQueueDemo { static ArrayBlockingQueue<String> queue = new ArrayBlockingQueue<>(1); // 主函数 public static void main(String[] args) { // 生产者 for(int i=0;i<3;i++) { new Thread(()->producer(),"producerThread" + i).start(); } // 消费者 for(int i=0;i<3;i++) { new Thread(()->consumer(),"consumerThread" + i).start(); } } // 生产者 public static void producer() { for(int i=0;i<100;i++) { try { queue.put("[" + i + "]"); System.out.println(Thread.currentThread().getName() + "->send msg" + i); } catch (InterruptedException e) { // TODO Auto-generated catch block e.printStackTrace(); } } } // 消费者 public static void consumer() { // 队列只要有数据就往走 while(true) { try { String msg = queue.take(); System.out.println(Thread.currentThread().getName()+"->receive msg:" + msg); }catch (InterruptedException e) { // TODO: handle exception e.printStackTrace(); } } } }