队列已满时,为什么未阻止ArrayBlockingQueue

时间:2018-08-12 09:52:02

标签: java multithreading queue producer-consumer blockingqueue

我对ArrayBlockingQueue有一个简单的测试,如下所示:

public class TestQueue {

    static class Producer implements Runnable {
        private ArrayBlockingQueue<Integer> queue;
        private int index;

        public Producer(ArrayBlockingQueue<Integer> queue, int index) {
            this.queue = queue;
            this.index = index;
        }

        @Override
        public void run() {
            try {
                queue.put(index);

                System.out.println("producer: " + index);
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }
    }

    static class Consumer implements Runnable {
        private ArrayBlockingQueue<Integer> queue;

        public Consumer(ArrayBlockingQueue<Integer> queue) {
            this.queue = queue;
        }

        @Override
        public void run() {
            try {
                while(true) {
                    System.out.println("consumer: " + queue.take());
                }
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }
    }

    public static void main(String[] args) {
        ArrayBlockingQueue<Integer> queue = new ArrayBlockingQueue<>(3);

        for (int i = 0; i < 10; i++) {
            Producer producer = new Producer(queue, i);

            new Thread(producer).start();
        }

        try {
            Thread.sleep(1000);
        } catch (InterruptedException e) {
            e.printStackTrace();
        }

        Consumer consumer = new Consumer(queue);

        new Thread(consumer).start();
    }
}

结果是:

producer: 2
producer: 0
producer: 1
consumer: 0
producer: 4
producer: 6
consumer: 2
etc...

我的问题是,我已将ArrayBlockingQueue的大小定义为3,而生产者将2、0和1总共放入了3个项目,并且队列现在已满,那么使用者已经消耗了0,队列的大小现在应该为2,然后,生产者将4放入队列,队列现在应该已满,为什么生产者仍然可以将6放入队列,应该被阻塞

2 个答案:

答案 0 :(得分:1)

take / put操作和打印不是原子的。

producer: 6consumer: 2之前打印,并不意味着生产者在消费者消费2之前放置6。

例如:

  1. 消费者执行queue.take(),并取2
  2. 生产者执行queue.put(6)
  3. 生产者打印生产者:6
  4. 品脱消费者消费者:2

答案 1 :(得分:0)

producer: 6之前将consumer: 2打印到控制台的事实并不意味着在删除6之前已添加2

如果在添加和删除项目之前和之后打印队列的大小,您将看到它永远不会超过3。