这个视频上有讲的;
代码完成,加入同步和等待唤醒机制后,可以实现,生产一个,就消费一个。
可是在实际开发中,生产者和消费者,不是一个。有可能是多个
也就是有多个生产者生产,有多个消费者消费。
造成数据错误的原因:当生产者消费者多个时,
本方的线程有可能唤醒本方的线程,而且,本方被唤醒后,没有判断标记,就进行了执行,
会到导致原来本方的操作还没有被对方所操作就已经被覆盖了。
生产者1,进行了生产后,将本方生产者2唤醒,生产者2没有判断标记直接继续生产,
导致生产者1的产品还没有被消费就覆盖了。
解决方式:因为有本方唤醒本方的情况,所以必须每次的醒来都要判断一次标记。
判断标记的动作要执行多次。所以不使用if,而是使用while.- class Resource
- {
- private String name;
- private int count=1;
- private boolean flag=false;
- public synchronized void set(String name)
- {
- while(flag) //加上while判断标记
- try{this.wait();}catch(Exception e){} //等待
- this.name=name+"----"+count++;
-
- System.out.println(Thread.currentThread().getName()+"...生产者..."+this.name);
- flag=true;
- this.notifyAll();//唤醒全部
- }
- public synchronized void out()
- {
- while(!flag)
- try{this.wait();}catch(Exception e){}
- System.out.println(Thread.currentThread().getName()+"......消费者......"+this.name);
- flag=false;
- this.notifyAll();
- }
- }
- class Producer implements Runnable
- {
- private Resource res;
- Producer(Resource res)
- {
- this.res=res;
- }
- public void run()
- {
- while(true)
- {
- res.set("==商品==");
- }
- }
- }
- class Consumer implements Runnable
- {
- private Resource res;
- Consumer(Resource res)
- {
- this.res=res;
- }
- public void run()
- {
- while(true)
- {
- res.out();
- }
- }
- }
- class Demo2
- {
- public static void main(String[] args)
- {
- Resource r = new Resource();
- Producer pro = new Producer(r);
- Consumer con = new Consumer(r);
- Thread t1 = new Thread(pro);
- Thread t2 = new Thread(pro);
- Thread t3 = new Thread(con);
- Thread t4 = new Thread(con);
- t1.start();
- t2.start();
- t3.start();
- t4.start();
- }
- }
复制代码 |