conditionboundedbuffer.java

来自「java concurrency in practice 源码. JAVA」· Java 代码 · 共 60 行

JAVA
60
字号
package net.jcip.examples;import java.util.concurrent.locks.*;import net.jcip.annotations.*;/** * ConditionBoundedBuffer * <p/> * Bounded buffer using explicit condition variables * * @author Brian Goetz and Tim Peierls */@ThreadSafepublic class ConditionBoundedBuffer <T> {    protected final Lock lock = new ReentrantLock();    // CONDITION PREDICATE: notFull (count < items.length)    private final Condition notFull = lock.newCondition();    // CONDITION PREDICATE: notEmpty (count > 0)    private final Condition notEmpty = lock.newCondition();    private static final int BUFFER_SIZE = 100;    @GuardedBy("lock") private final T[] items = (T[]) new Object[BUFFER_SIZE];    @GuardedBy("lock") private int tail, head, count;    // BLOCKS-UNTIL: notFull    public void put(T x) throws InterruptedException {        lock.lock();        try {            while (count == items.length)                notFull.await();            items[tail] = x;            if (++tail == items.length)                tail = 0;            ++count;            notEmpty.signal();        } finally {            lock.unlock();        }    }    // BLOCKS-UNTIL: notEmpty    public T take() throws InterruptedException {        lock.lock();        try {            while (count == 0)                notEmpty.await();            T x = items[head];            items[head] = null;            if (++head == items.length)                head = 0;            --count;            notFull.signal();            return x;        } finally {            lock.unlock();        }    }}

⌨️ 快捷键说明

复制代码Ctrl + C
搜索代码Ctrl + F
全屏模式F11
增大字号Ctrl + =
减小字号Ctrl + -
显示快捷键?