手写消费者生产者模式

手写消费者生产者模式

public class Storage {
	 private static int MAX_VALUE = 100;
	 private List<Object> list = new ArrayList<>();
	 public void produce(int num) {
		 synchronized (list) {
			 while (list.size() + num > MAX_VALUE) {
				 System.out.println("暂时不能执行生产任务");
				 try {
				 	list.wait();
				 } catch (InterruptedException e) {
				 	e.printStackTrace();
				 }
			 }
			 for (int i = 0; i < num; i++) {
			 	list.add(new Object());
			 }
			 System.out.println("已生产产品数"+num+" 仓库容量"+list.size());
			 list.notifyAll();
		 }
	 }
	 public void consume(int num) {
	 	synchronized (list) {
			 while (list.size() < num) {
			 	System.out.println("暂时不能执行消费任务");
				 try {
				 	list.wait();
				 } catch (InterruptedException e) {
				 	e.printStackTrace();
				 }
			 }
			 for (int i = 0; i < num; i++) {
			 	list.remove(0);
			 }
			 System.out.println("已消费产品数"+num+" 仓库容量" + list.size());
			 list.notifyAll();
		 }
	 }
}
public class Producer extends Thread {
	 private int num;
	 private Storage storage;
	 public Producer(Storage storage) {
	 	this.storage = storage;
	 }
	 public void setNum(int num) {
	 	this.num = num;
	 }
	 public void run() {
	 	storage.produce(this.num);
	 }
}
public class Customer extends Thread {
	 private int num;
	 private Storage storage;
	 public Customer(Storage storage) {
	 	this.storage = storage;
	 }
	 public void setNum(int num) {
	 	this.num = num;
	 }
	 public void run() {
	 	storage.consume(this.num);
	 }
}
public class Test {
	 public static void main(String[] args) {
		 Storage storage = new Storage();
		 Producer p1 = new Producer(storage);
		 Producer p2 = new Producer(storage);
		 Producer p3 = new Producer(storage);
		 Producer p4 = new Producer(storage);
		 Customer c1 = new Customer(storage);
		 Customer c2 = new Customer(storage);
		 Customer c3 = new Customer(storage);
		 p1.setNum(10);
		 p2.setNum(20);
		 p3.setNum(80);
		 c1.setNum(50);
		 c2.setNum(20);
		 c3.setNum(20);
		 c1.start();
		 c2.start();
		 c3.start();
		 p1.start();
		 p2.start();
		 p3.start();
	 }
}

你可能感兴趣的:(java,开发语言)