/**
*线程通讯的例子:使用两个线程分别交替打印1-100
*
* 涉及到的三个方法:
* wait():执行后,当前线程进入阻塞状态,并且释放同步监视器。
* notify():执行后,会荤唤醒被wait的一个线程,根据线程的优先级决定谁被唤醒
* notyfyAll():唤醒所有的被wait线程。
*
* 说明:
* 1. wait(), notify(),notyfyAll()三个方法必须使用在同步代码块或同步方法中
* 2.wait(), notify(),notyfyAll()三个方法的调用者必须是同步代码块或者同步方法中的同步监视器来调用
* 否则,会出现IllegalMonitorStateException错误
* 3.wait(), notify(),notyfyAll()三个方法是在java.lamg.Object中定义的。
*/
class Number implements Runnable {
private int number = 1;
@Override
public void run() {
while (true) {
synchronized (this) {
notify();
if (number <= 100) {
System.out.println(Thread.currentThread().getName() + ":"
+ number);
number++;
try {
wait();//使用wait()方法是当前线程进入阻塞状态。
} catch (InterruptedException e) {
e.printStackTrace();
}
} else {
break;
}
}
}
}
}
public class Account {
public static void main(String[] args) {
Number number = new Number();
Thread t1 = new Thread(number);
Thread t2 = new Thread(number);
t1.setName("线程一");
t2.setName("线程二");
t1.start();
t2.start();
}
}