java两个线程交替打印_java两个线程交替打印奇偶数

引言

java面试中经常会遇到这个问题,如何用两个线程交替打印奇偶数。线程A打印1,线程B打印2,线程A打印3,线程B打印4...这个问题的解题思路是协调两个线程的执行时机,线程A与线程B需要交替执行。实现的方式很多,常用的方法是采用wait/notify方法。

本文记录了笔者解决这个问题的过程,并解释过程中遇到的坑以及如何填坑的,以供朋友们参考。

一种有问题的实现方式

代码思路是这样的:既然要两个线程交替打印奇偶数,那就让两个线程共享一个count,当数字是奇数是线程A打印,当数字是偶数时线程B打印,执行完打印操作后自增count,并利用wait/notify方法去阻塞和唤醒线程。接下来看代码:

public class WrongCountDemo {

static class PrintOdd implements Runnable {

private Integer count;

public PrintOdd(Integer count) {

this.count = count;

}

@Override

public void run() {

try {

synchronized (count) {

while (count <= 100) {

if (count % 2 == 1) {

count.wait();

} else {

System.out.println("PrintOdd thread print..." + count++);

count.notify();

}

}

}

} catch (Exception ex) {

ex.printStackTrace();

}

}

}

static class PrintEven implements Runnable {

private Integer count;

public PrintEven(Integer count) {

this.count = count;

}

@Override

public void run() {

try {

synchronized (count) {

while (count <= 100) {

if (count % 2 == 0) {

count.wait();

} else {

System.out.println("PrintEven thread print..." + count++);

count.notify();

}

}

}

} catch (Exception ex) {

ex.printS

你可能感兴趣的:(java两个线程交替打印)