用java实现,三个线程实现打印ABC
时间: 2024-04-24 12:23:57 浏览: 150
java代码-三个线程轮流输出abc
可以使用Java中的多线程机制来实现三个线程按顺序打印ABC。以下是一种可能的实现方式:
```java
public class PrintABC {
private static final Object lock = new Object(); // 共享锁对象
private static volatile int state = 0; // 当前打印状态,0表示打印A,1表示打印B,2表示打印C
public static void main(String[] args) {
Thread threadA = new Thread(new PrintThread("A", 0));
Thread threadB = new Thread(new PrintThread("B", 1));
Thread threadC = new Thread(new PrintThread("C", 2));
threadA.start();
threadB.start();
threadC.start();
}
static class PrintThread implements Runnable {
private String name;
private int targetState;
public PrintThread(String name, int targetState) {
this.name = name;
this.targetState = targetState;
}
@Override
public void run() {
for (int i = 0; i < 10; i++) { // 打印10次
synchronized (lock) {
while (state != targetState) { // 当前状态不是目标状态,等待
try {
lock.wait();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
System.out.print(name); // 打印字符
state = (state + 1) % 3; // 更新状态
lock.notifyAll(); // 唤醒其他线程
}
}
}
}
}
```
在上述代码中,我们创建了一个共享的锁对象 `lock` 和一个共享的状态变量 `state`。每个线程在运行时,都会先检查当前的状态是否为目标状态,如果不是则等待,直到状态匹配后打印对应的字符,并更新状态,然后唤醒其他线程。
通过 `Thread.currentThread().getName()` 可以获取当前线程的名字。
以上代码是一种简单的实现方式,但是由于多线程的执行是不确定的,所以打印的结果可能会交错。若要确保按照顺序打印ABC,可以使用信号量(Semaphore)等更高级的同步机制。
阅读全文