JAVA实现的一个简单的死锁(附解释)

时间:2022-02-06 17:07:06
[java] view plain copy
  1. public class DeadLockTest implements Runnable{  
  2.  private int flag;  
  3.  static Object o1 = new Object(), o2 = new Object();      //静态的对象,被DeadLockTest的所有实例对象所公用  
  4.    
  5.  public void run(){  
  6.     
  7.   System.out.println(flag);  
  8.   if(flag == 0){  
  9.    synchronized(o1){  
  10.     try{  
  11.      Thread.sleep(500);  
  12.     } catch(Exception e){  
  13.      e.printStackTrace();  
  14.     }  
  15.     synchronized(o2){  
  16.     }  
  17.    }   
  18.   }  
  19.   if(flag == 1){  
  20.    synchronized(o2){  
  21.     try{  
  22.      Thread.sleep(500);  
  23.     } catch(Exception e){  
  24.      e.printStackTrace();  
  25.     }  
  26.     synchronized(o1){  
  27.     }  
  28.    }   
  29.   }   
  30.  }  
  31.    
  32.  public static void main(String[] args){  
  33.   DeadLockTest test1 = new DeadLockTest();  
  34.   DeadLockTest test2 = new DeadLockTest();  
  35.   test1.flag = 1;  
  36.   test2.flag = 0;  
  37.   Thread thread1 = new Thread(test1);  
  38.   Thread thread2 = new Thread(test2);  
  39.   thread1.start();  
  40.   thread2.start();  
  41.  }  
  42. }  
  43.   
  44.    
  45.   
  46. 解释:在main方法中,实例化了两个实现了Runnable接口的DeadLockTest对象test1和test2,test1的flag等于1,所以在thread1线程执行的时候执行的是run()方法后半部分的代码,test2的flag等于2,所以在thread2线程启动的时候执行的是run()方法前半部分的代码,此时,出现了下列现象:thread1线程占有了o1对象并等待o2对象,而thread2线程占有了o2对象并等待o1对象,而o1和o2又被这俩个线程所共享,所以就出现了死锁的问题了。