生产者消费者模式

来源:互联网 发布:通联数据 待遇怎么样 编辑:程序博客网 时间:2024/06/09 19:36

关键点:多线程实现producer,和consumer,两者调用 容器中添加和删除方法。

该模式中含有的类及其相互关系:

1、生产物品的类,该应该有自己的标示属性:

class SteamBread {    int id;//馒头编号    SteamBread(int id) {    this.id = id;    }    public String toString() {        return "steamBread:" + id;    }}

2、放东西的容器,在数据结构中是用栈表示,java中庸E[],数组加上游标标示:该类有添加(生产)和移除(消费)的方法;

   //装馒头的框,栈结构class SyncStack {    int index = 0;    SteamBread[] stb = new SteamBread[10];//构造馒头数组,相当于馒头筐,容量是10    //放入框中,相当于入栈    public synchronized void push(SteamBread sb) {        while (index == stb.length) {//筐满了,即栈满,            try {                this.wait();//让当前线程等待            } catch (InterruptedException e) {                 e.printStackTrace();            }        }        this.notify();//唤醒在此对象监视器上等待的单个线程,即生产者线程        stb[index] = sb;        this.index++;    }     //从框中拿出,相当于出栈    public synchronized SteamBread pop() {        while (index == 0) {//筐空了,即栈空             try {                this.wait();             } catch (InterruptedException e) {                e.printStackTrace();             }        }        this.notify();        this.index--;//push第n个之后,this.index++,使栈顶为n+1,故return之前要减一         return stb[index];    }}

3、生产者:该对象含有容器属性,可以调用容器的添加方法,实现Runnable中的方法。

//生产者类,实现了Runnable接口,以便于构造生产者线程class Producer implements Runnable {    SyncStack ss = null;    Producer(SyncStack ss) {        this.ss = ss;    }     @Override    public void run() {        // 开始生产馒头        for (int i = 0; i < 20; i++) {            SteamBread stb = new SteamBread(i);            ss.push(stb);            System.out.println("生产了" + stb);            try {                Thread.sleep(10);//每生产一个馒头,睡觉10毫秒            } catch (InterruptedException e) {                e.printStackTrace();            }        }    }}

4、同理有消费者

//消费者类,实现了Runnable接口,以便于构造消费者线程class Consume implements Runnable {    SyncStack ss = null;    public Consume(SyncStack ss) {        super();        this.ss = ss;    }    @Override    public void run() {        for (int i = 0; i < 20; i++) {//开始消费馒头            SteamBread stb = ss.pop();            System.out.println("消费了" + stb);            try {                Thread.sleep(100);//每消费一个馒头,睡觉100毫秒。即生产多个,消费一个            } catch (InterruptedException e) {            e.printStackTrace();            }        }    }}

5、测试类

public class ProduceAndConsumerModel {    public static void main(String[] args) {        SyncStack ss = new SyncStack();//建造一个装馒头的框        Producer p = new Producer(ss);//新建一个生产者,使之持有框        Consume c = new Consume(ss);//新建一个消费者,使之持有同一个框        Thread tp = new Thread(p);//新建一个生产者线程        Thread tc = new Thread(c);//新建一个消费者线程        tp.start();//启动生产者线程        tc.start();//启动消费者线程    }   }
0 0