/*
* 写两个线程,一个线程打印 1~52,另一个线程打印字母A-Z。打印顺序为12A34B56C……5152Z。要求用线程间的通信。
* 注:分别给两个对象构造一个对象o,数字每打印两个或字母每打印一个就执行o.wait()。
*/
public class TestImplements {
public static void main(String[] args){
Printer p = new Printer();
A a = new A(p);
B b = new B(p);
Thread c = new Thread(a);
Thread d = new Thread(b);
c.start();
d.start();
}
}
/*
* 主方法
*/
class Printer{
private int index = 1;//设为1,方便计算3的倍数
//打印数字的构造方法,每打印两个数字,等待打印一个字母
public synchronized void print(int i){
while(index%3==0){
try{
wait();
}catch(Exception e){
}
}
System.out.print(" "+i);
index++;
notifyAll();
}
//打印字母,每打印一个字母,等待打印两个数字
public synchronized void print(char c){
while(index%3!=0){
try{
wait();
}catch(Exception e){
}
}
System.out.print(" "+c);
index++;
notifyAll();
}
}
class A implements Runnable {
Printer p;
public A(Printer p){
this.p = p;
}
@Override
public void run() {
// TODO Auto-generated method stub
for(int a=1;a<=52; a++){
p.print(a);
}
}
}
class B implements Runnable {
Printer p;
public B(Printer p){
this.p = p;
}
@Override
public void run() {
// TODO Auto-generated method stub
for(char b='A';b<='Z';b++){
p.print(b);
}
}
}