Java實現生產者和消費者

季沐測試筆記發表於2021-08-19

模式概述

生產者和消費者實際包含兩類執行緒,一類是生產者用於生產資料,一類是消費者用於消費資料

為了解耦生產者和消費者的關係,通常採用共享的資料區域

  • 生產者生產資料放置在共享資料區域,不需要關心消費者的行為
  • 消費者只需要從共享資料區域去獲得資料,不需要關心生產者的行為

為了體現生產和消費過程中的等待和喚醒,Java提供的方法

  • void wait() 導致當前執行緒等待,直到另一個執行緒呼叫該物件的notify()方法或nitifyAll()方法
  • void notify() 喚醒正在等待物件監視器的單個執行緒
  • void notifyAll() 喚醒正在等待物件監視器的所有執行緒
public class Box {

    private int milk;

    private boolean state = false;

    public synchronized void put(int milk){
        if (state){
            try {
                wait();
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }
        this.milk = milk;
        System.out.println("送奶工將第"+this.milk+"瓶奶放入");
        state = true;
        notifyAll();
    }

    public synchronized void get(){
        if (!state){
            try {
                wait();
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }
        System.out.println("使用者拿到第"+this.milk+"瓶奶");
        state = false;
        notifyAll();
    }

}


public class Producer implements Runnable{

    private Box b;
    public Producer(Box b) {
       this.b = b;
    }

    @Override
    public void run() {
        for (int i = 1;i<= 5;i++){
            b.put(i);
        }
    }
}

public class Customer implements Runnable {

    private Box b;
    public Customer(Box b) {
        this.b = b;
    }

    @Override
    public void run() {
        while (true){
            b.get();
        }
    }
}
public class BoxDemo {
    public static void main(String[] args) {
        Box b = new Box();
        Producer p = new Producer(b);
        Customer c = new Customer(b);

        Thread t1 = new Thread(p);
        Thread t2 = new Thread(c);

        t1.start();
        t2.start();

    }
}

相關文章