根据How to use wait and notify in Java?,我必须在同一个对象上进行同步才能调用notify。
我已经在同一个haveCoffee对象上进行了同步。我调用notify方法时为什么会收到IllegalMonitorStateException?
I am Sleeping
Exception in thread "Thread-1" java.lang.IllegalMonitorStateException
at java.lang.Object.notify(Native Method)
at com.example.concurrent.basic.WaitAndNotify$2.run(WaitAndNotify.java:42)
在以下代码中:
public class WaitAndNotify {
public static void main(String[] args) {
Thread haveCoffee = new Thread() {
public void run() {
synchronized (this) {
try {
this.wait();
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.print("I am awake and ready to have coffee");
}
}
};
Thread me = new Thread() {
public void run() {
synchronized (haveCoffee) {
try {
System.out.print("I am Sleeping");
Thread.sleep(4000);
notify();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
};
haveCoffee.start();
me.start();
}
}
答案 0 :(得分:2)
在第一个Thread上,您在拥有其监视器(对象为此haveCoffee
)时调用对象。
但是,在第二个主题中,您在notify()
上调用me
,同时拥有haveCoffee
的监视器。
这应该有效:
public class WaitAndNotify {
public static void main(String[] args) {
final Thread haveCoffee = new Thread() {
public void run() {
synchronized (this) {
try {
this.wait();
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.print("I am awake and ready to have coffee");
}
}
};
Thread me = new Thread() {
public void run() {
synchronized (haveCoffee) {
try {
System.out.print("I am Sleeping");
Thread.sleep(4000);
haveCoffee.notify();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
};
haveCoffee.start();
me.start();
}
}
答案 1 :(得分:1)
来自oracle文档page,
public class IllegalMonitorStateException
extends RuntimeException
抛出此异常表示某个线程试图在对象的监视器上等待,或者在没有指定监视器的情况下通知在对象监视器上等待的其他线程。
每当您收到此异常时,只需检查代码并检查wait()
和notify()
来电以及object on which these calls have been invoked
。你可以很容易地弄清楚出了什么问题。
修改强>
一旦获得该对象的监视器,就必须在对象上调用 wait()
或notify()
个调用。
答案 2 :(得分:0)
你应该打电话
haveCoffee.notify()
而不仅仅是
通知()。
如果仅调用notify()
,则会调用notify()
对象上的this
方法,该对象是您在me
上同步的第二个帖子haveCoffee
线程,这就是你看到异常的原因。
因此,thread2 me
中的代码应如下所示:
synchronized (haveCoffee) {
try {
System.out.print("I am Sleeping");
Thread.sleep(4000);
haveCoffee.notify();
} catch (InterruptedException e) {
e.printStackTrace();
}
}