生产者消费者模式是一个十分经典的多线程协作的模式,弄懂生产者消费者问题能够让我们对多线程编程的理解更加深刻
所谓生产者消费者问题,实际上主要是包含了两类线程:
为了解耦生产者和消费者的关系,通常会采用共享数据区域,就像是一个仓库
为了体现生产和消费过程中的等待和唤醒,java就提供了几个方法供我们使用,这几个方法在Object类中Object类的等待和唤醒方法:
方法名 | 说明 |
---|---|
void wait() | 导致当前线程等待,直到另一个线程调用该对象的notify()方法或notifyAll()方法 |
void notify() | 唤醒正在等待对象监视器的单个线程 |
void notifyAll() | 唤醒正在等待对象监视器的所有线程 |
生产者消费者案例中包含的类:
代码如下:
public class Box { private int milk; private boolean status; // 奶箱是否存在牛奶的状态 public synchronized void put(int milk){ if(status){ try { wait(); // 若奶箱存在牛奶,则等待用户获取 } catch (InterruptedException e) { e.printStackTrace(); } } this.milk = milk; System.out.println("送奶工将第"+this.milk+"瓶牛奶送入奶箱"); status = true; notifyAll(); } public synchronized void get() { if(!status){ try { wait(); // 若奶箱不存在牛奶,则等送奶工送牛奶 } catch (InterruptedException e) { e.printStackTrace(); } } System.out.println("用户取走第"+this.milk+"瓶牛奶"); status = false; notifyAll(); } }
public class Producer implements Runnable{ private Box box; public Producer(Box box) { this.box = box; } @Override public void run() { for(int i = 1 ;i <= 5;i++){ box.put(i); } } }
public class Customer implements Runnable{ private Box box; public Customer(Box box) { this.box = box; } @Override public void run() { while (true){ box.get(); } } }
public class BoxTest { public static void main(String[] args){ Box box = new Box(); Producer p = new Producer(box); Customer c = new Customer(box); Thread t1 = new Thread(p); Thread t2 =new Thread(c); t1.start(); t2.start(); } }