问题
Reading the Java 8 documentation about the java.util.concurrent.locks.Condition interface, the following example is given:
class BoundedBuffer {
   final Lock lock = new ReentrantLock();
   final Condition notFull  = lock.newCondition(); 
   final Condition notEmpty = lock.newCondition(); 
   final Object[] items = new Object[100];
   int putptr, takeptr, count;
   public void put(Object x) throws InterruptedException {
     lock.lock();
     try {
       while (count == items.length)
         notFull.await();
       items[putptr] = x;
       if (++putptr == items.length) putptr = 0;
       ++count;
       notEmpty.signal();
     } finally {
       lock.unlock();
     }
   }
   public Object take() throws InterruptedException {
     lock.lock();
     try {
       while (count == 0)
         notEmpty.await();
       Object x = items[takeptr];
       if (++takeptr == items.length) takeptr = 0;
       --count;
       notFull.signal();
       return x;
     } finally {
       lock.unlock();
     }
   }
 }
So my main question is: How does a condition work?
- Does it release the lock when it starts waiting? (
notFull.await()for example)? - Can different threads acquire the same lock and move until it 
signal()a condition, awaking other threads? - I thought this example would result in a deadlock because if a thread is waiting for the buffer to not be empty and it hasn't release the lock yet, how can another thread acquire the lock, empty the buffer, 
signal()the condition is now met, and release the lock if the lock hasn't been release by the thread waiting for the buffer to be not full? 
These are beginners questions. Please help me out.
Thank you.
回答1:
- Yes that is right, as soon as it awaits for a condition, it releases the lock. 
await/signal/signalAllhas actually the same behavior aswait/notify/notifyAll - No the ReentrantLock is an exclusive lock so only one thread can acquire the lock.
 - See #1. When a thread call 
signalorsignalAll, it releases respectively one thread or all threads awaiting for the correspondingConditionsuch that the thread or those threads will be eligible to acquire the lock again. But for now the lock is still owned by the thread that calledsignalorsignalAlluntil it releases explicitly the lock by callinglock.unlock. Then the thread(s) that has/have been released will be able to try to acquire the lock again, the thread that could acquire the lock will be able to check the condition again (by condition this time I meancount == items.lengthorcount == 0in this example), if it is ok it will proceed otherwise it willawaitagain and release the lock to make it available to another thread. 
来源:https://stackoverflow.com/questions/36435753/how-do-java-util-concurrent-locks-condition-work