1.需求:
用三个线程按顺序输出A,B,C十次,且不乱序。
2.相关方法:
- synchronized关键字
synchronized可以锁住代码段不被多个线程同时执行,可以锁住对象,也可以进行全局锁。
参考:http://blog.csdn.net/luoweifu/article/details/46613015 - jion()
t.join(); //调用join方法,等待线程t执行完毕
t.join(1000); //等待 t 线程,等待时间是1000毫秒
- wait(), notify(), notifyAll
1)wait()、notify()和notifyAll()方法是本地方法,并且为final方法,无法被重写。
2)调用某个对象的wait()方法能让当前线程阻塞,并且当前线程必须拥有此对象的monitor(即锁,或者叫管程)
3)调用某个对象的notify()方法能够唤醒一个正在等待这个对象的monitor的线程,如果有多个线程都在等待这个对象的monitor,则只能唤醒其中一个线程;
4)调用notifyAll()方法能够唤醒所有正在等待这个对象的monitor的线程;
看到这个需求,我头脑里第一印象就是使用synchronized
那么接下来的就很简单了
3.实现
public class ThreadControl {
public static Count count = new Count(0);
public static void main(String arg[])
{
MyThread myThreadA = new MyThread(count);
MyThread myThreadB = new MyThread(count);
MyThread myThreadC = new MyThread(count);
myThreadA.start();
myThreadB.start();
myThreadC.start();
}
}
class Count{
private int count;
Count(int count)
{
this.count = count;
}
public synchronized int inc()
{
if(count%3==0)
{
System.out.print("A");
}else if(count%3==1)
{
System.out.print("B");
}else if(count%3==2)
{
System.out.println("C");
}
count++;
return count;
}
}
class MyThread extends Thread{
private Count count;
MyThread(Count count){
this.count = count;
}
@Override
public void run() {
super.run();
while (count.inc()<30);
}
}
我用synchronized给inc()方法上了锁。
运行结果:
ABC(1)
ABC(2)
ABC(3)
ABC(4)
ABC(5)
ABC(6)
ABC(7)
ABC(8)
ABC(9)
ABC(10)
AB
我只想打印10次ABC,但是最后多出了AB。
当我把myThreadB.start()和myThreadC.start()注释掉后就正常了。
我认为原因是当count=29时,三个线程都在while循环中,而count.inc()又是先执行再获得返回值的,
线程无法及时得知count=30,所以会多打印2次。
这种方法明显需要优化,只需要在打印前加上一个判断即可
public synchronized int inc()
{
//打印前判断
if(!(count<30))
{
return count;
}
count++;
if(count%3==1)
{
System.out.print("A");
}else if(count%3==2)
{
System.out.print("B");
}else if(count%3==0)
{
System.out.println("C("+count/3+")");
}
return count;
}
其实上面是输出控制,不是线程控制
4.后序相关
我们同样可以用Lock来加锁,实现对线程的控制。
参考下面的网站:http://ifeve.com/locks/
里面提到一个可重入的问题,不过我个人对于可重入不太理解,大家得自己研究一下了。