赞
踩
当两个线程相互等待对方释放同步监视器时就会发生死锁,java虚拟机没有监测,也没有采取措施来处理死锁情况,所以多线程编程时应该采取措施避免死锁出现。一旦出现死锁,整个程序既不会发生任何异常,也不会给出任何提示,只是所有线程处于阻塞状态,无法继续。
死锁实例:
1 public class DeadLock implementsRunnable{2 A a=newA();3 B b=newB();4 public voidinit(){5 Thread.currentThread().setName("主线程");6 //调用对象的foo()方法
7 a.foo(b);8 System.out.println("进入主线程之后");9 }10 public voidrun(){11 Thread.currentThread().setName("副线程");12 //调用b对象的bar()方法
13 b.bar(a);14 System.out.println("进入副线程之后");15 }16 public static voidmain(String[] args){17 DeadLock d1=newDeadLock();18 //以d1为target启动新线程
19 newThread(d1).start();20 //调用init()方法
21 d1.init();22 }23 }24 classA {25 public synchronized voidfoo(B b)26 {27 System.out.println("当前线程名:"+Thread.currentThread().getName()+"进入了A实例的foo方法");//(1)
28 try{29 Thread.sleep(1000);30 }catch(Exception e){31 System.out.println(e);32 }33 System.out.println("当前线程名:"+Thread.currentThread().getName()+"企图调用B实例的last方法");//(3)
34 b.last();35 }36 public synchronized voidlast(){37 System.out.println("进入A类的last方法内部");38 }39 }40 classB{41 public synchronized voidbar(A a){42 System.out.println("当前线程名:"+Thread.currentThread().getName()+"进入B实例的bar方法");//(2)
43 try{44 Thread.sleep(1000);45 }catch(Exception e){46 System.out.println(e);47 }48 System.out.println("当前线程名:"+Thread.currentThread().getName()+"企图调用A实例的last方法。");//(4)
49 a.last();50 }51 public synchronized voidlast(){52 System.out.println("进入B类的last方法内部");53 }54
55 }
解释:上面程序中A对象和B对象的方法都是同步方法,也就是A对象和B对象都是同步锁。
程序中的两个线程执行:一个线程的线程执行体是DeadLock类的run方法,另一个线程的线程执行体是DeadLock的init()方法(也就是主线程调用了init方法)。
其中run()方法让B对象调用bar()方法,而init()方法让A对象调用foo()方法。
分析:如果init()方法先执行,调用了A对象的foo方法,进入foo方法之前,该线程对A对象加锁——————当程序执行到(1)号代码时,主线程暂停1000ms;CPU切换到执行另一个线程,让另一个线程对B对象加锁——————当程序执行到(2)代码时,副线程也暂停1000ms;接下来主线程会先醒过来,继续向下执行,直到(3)号代码处希望调用B对象的last()方法——————执行该方法之前必须先对B对象加锁,但此时B线程正保持着B对象的锁,所以主线程阻塞;接下来副线程应该醒过来了,继续向下执行,直到(4)号代码处希望调用A对象的last()方法——————执行此方法之前必须先对A对象加锁,但此时主线程没有释放对A对象的锁,至此,就出现了主线程保持着A对象的锁,等待B对象加锁,而副线程保持着B对象的锁,等待着A对象的锁,等待对A对象加锁,两个线程互相等待对方先释放,所以就出现了死锁!
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。