可以使用synchronized關鍵字和wait()、notify()方法來實現兩個線程交替打印。
下面是一個簡單的例子,其中A線程打印奇數,B線程打印偶數。
public class AlternatePrint {
private int count = 1;
private final Object lock = new Object();
public static void main(String[] args) {
AlternatePrint alternatePrint = new AlternatePrint();
Thread threadA = new Thread(() -> alternatePrint.printOdd());
Thread threadB = new Thread(() -> alternatePrint.printEven());
threadA.start();
threadB.start();
}
public void printOdd() {
while (count <= 100) {
synchronized (lock) {
if (count % 2 != 0) {
System.out.println(Thread.currentThread().getName() + ": " + count);
count++;
lock.notify(); // 喚醒等待的線程
} else {
try {
lock.wait(); // 當前線程等待
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
}
public void printEven() {
while (count <= 100) {
synchronized (lock) {
if (count % 2 == 0) {
System.out.println(Thread.currentThread().getName() + ": " + count);
count++;
lock.notify(); // 喚醒等待的線程
} else {
try {
lock.wait(); // 當前線程等待
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
}
}
在上面的例子中,使用一個共享的lock對象作為鎖,每個線程通過synchronized(lock)來獲取鎖對象。當count為奇數時,A線程打印并增加count,然后調用lock.notify()方法喚醒正在等待的B線程。當count為偶數時,B線程打印并增加count,然后調用lock.notify()方法喚醒正在等待的A線程。如果count的值不符合當前線程的打印條件時,當前線程調用lock.wait()方法進入等待狀態,直到被喚醒。
需要注意的是,lock.wait()和lock.notify()方法只能在synchronized塊中調用,否則會拋出IllegalMonitorStateException異常。同時,線程的啟動順序不確定,所以A和B線程的打印順序可能會有不同。