介绍

synchronized中,使用wait进行等待阻塞,使用 notify 或 notifyAll 进行唤醒,将线程从条件队列中挪动到等待队列(这里是按照管程模型来讲的,没看过源码,注释中也没提,暂时按模型来好了),notify是任意唤醒一个,notifyAll是唤醒全部。注意,notify是任意唤醒一个,具体的唤醒哪一个,也就是唤醒方式是随机唤醒一个,还是按照加入条件队列的顺序唤醒,或者是按照优先级唤醒,又或者是其他什么方式等等都由实现者也就是 JVM 决定,而不是随机唤醒一个。
image.png

实现生产者-消费者模式

下面的生产者与消费者线程中的循环只是做个演示,存在有bug,如果生产者线程生命周期中生产数量与消费者线程生命周期中消费数量不匹配则会有线程阻塞

商品

  1. public class Resource {
  2. //存储商品
  3. private Queue<Object> goodsQueue = new LinkedList<>();
  4. //商品最大数量
  5. private final int MAX_GOODS_NUM = 8;
  6. //生产
  7. public synchronized void produce(Object goods) throws InterruptedException {
  8. //当产品数量等于最大数量,停止生产,等待消费
  9. while(goodsQueue.size() == MAX_GOODS_NUM){
  10. wait();
  11. }
  12. //如果当前产品数量等于0,则有可能消费者线程在条件队列阻塞中
  13. if(goodsQueue.size() == 0){
  14. goodsQueue.add(goods);
  15. notifyAll();
  16. }else{
  17. goodsQueue.add(goods);
  18. }
  19. }
  20. public synchronized Object consume() throws InterruptedException {
  21. while(goodsQueue.size() == 0){
  22. wait();
  23. }
  24. if(goodsQueue.size() == MAX_GOODS_NUM){
  25. Object res = goodsQueue.poll();
  26. notifyAll();
  27. return res;
  28. }else {
  29. return goodsQueue.poll();
  30. }
  31. }
  32. }

消费者

  1. public class Consumer implements Runnable{
  2. private Resource resource;
  3. public Consumer(Resource _resource){
  4. this.resource = _resource;
  5. }
  6. @Override
  7. public void run() {
  8. try {
  9. for (int i = 0; i < 10; i++) {
  10. resource.consume();
  11. System.out.println(i+"消费者消费了商品...");
  12. }
  13. } catch (InterruptedException e) {
  14. e.printStackTrace();
  15. }
  16. }
  17. }

生产者

  1. public class Producer implements Runnable{
  2. private Resource resource;
  3. public Producer(Resource _resource){
  4. this.resource = _resource;
  5. }
  6. @Override
  7. public void run() {
  8. try {
  9. for (int i = 0; i < 10; i++) {
  10. resource.produce(new Object());
  11. System.out.println(i+"生产者生产了商品...");
  12. }
  13. } catch (InterruptedException e) {
  14. e.printStackTrace();
  15. }
  16. }
  17. }