using Object as a mutex in java
Hello there good poeple, I need some help.
I'm writing a music player which streams music from the web. If I pres the play button before the music is done buffering I want it to wait.
I tried doing something like this:
Object mutex = new Object();
public void main() {
startStreaming();
mutex.notify();
}
private void onClickPlayButton() {
mutex.wait();
}
Th开发者_运维知识库e problem is that is the playButton is not pressed the mutex.notify()
if throws a "llegalMonitorStateException
". How do you normally solve problems like this?
EDIT To make clear. My question is: How do I make the button wait for the "startStreamning" method to finish?
According to the JavaDoc,
IllegalMonitorStateException is thrown "to indicate that a thread has attempted to wait on an object's monitor or to notify other threads waiting on an object's monitor without owning the specified monitor."
In order to call mutex.wait()
or mutex.notify()
, the calling thread must own a lock on object mutex.
This exception is thrown if you call it without a preceding synchronized (mutex) { }
Check out the nice animation of wait
and notify
in this link : How do wait and notify really work?
for wait(), notify() call, you need a synchronized code. try this:
synchronized (this) {
try {
this.wait();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
synchronized (this) {
notify();
}
Try use Semaphore with 0 initial permit. Semaphore mutex = new Semaphore(0);
in main mutex.release();
in on click mutex.acquire();
from javadoc wait This method should only be called by a thread that is the owner of this object's monitor and for notify This method should only be called by a thread that is the owner of this object's monitor.
this means htat you have to synchronize using the mutex when using notify and wait
You have to wait
before you notify
.
You have to synchronize on the mutex to call notify and wait
You can either look at using more complex lock objects, or simply munch the exception in a try/catch block. The later is definitely "quick and dirty".
For a more advance locking objects, take a look at http://download.oracle.com/javase/tutorial/essential/concurrency/newlocks.html
精彩评论