- class A
- {
- public void get(){
- System.out.println("A说:我开始启动了,B,给我你的资源");
- }
- public void say(){
- System.out.println("A获得资源");
- }
- }
- class B
- {
- public void get(){
- System.out.println("B说:我开始启动了,A,给我你的资源");
- }
- public void say(){
- System.out.println("B获得资源");
- }
- }
- class MyThread implements Runnable
- {
- public static A a = new A();
- public static B b = new B();
- public boolean flag = false;
- public void run(){
- if(flag){
- synchronized(a){
- a.get();
- try{
- Thread.sleep(500);
- }catch(InterruptedException e){}
-
- synchronized(b){ //此同步代码块在另一同步代码块里
- a.say();
- }
-
- }
-
-
- }else{
- synchronized(b){
- b.get();
- try{
- Thread.sleep(500);
- }catch(InterruptedException e){}
-
- synchronized(a){ //此同步代码块在另一同步代码块里
-
- b.say();
- }
- }
-
- }
- }
- }
- public class Demo24
- {
- public static void main(String args[]){
- MyThread mt1 = new MyThread();
- MyThread mt2 = new MyThread();
- mt1.flag=true;
- mt2.flag=false;
- Thread th1 = new Thread(mt1);
- Thread th2 = new Thread(mt2);
- th1.start();
- th2.start();
- }
- }
复制代码 以上代码由于synchronized的同步造成了死锁,死锁是两个或多个线程同时等待对方的完成,而程序无法继续执行。
在java中,每一个对象都有一个内部锁,如果以方法或代码块用synchronized进行声明,那么对象的锁将保护整个方法或代码块,要调用这个方法或者执行这个代码块,必须获得这个对象的锁。而且,任何时候都只能有一个线程对象执行被保护的代码
在以上代码中,在线程th1启动后,他就获得了a的锁,同时当其休眠完毕,求会申请获得b的锁,而此时,他的a锁没有放弃。在线程th2启动后,他就获得了b的锁,同时当其休眠完毕,求会申请获得a的锁,而此时,他的b锁没有放弃.两方都握有自己的锁不放弃,而同时申请另一方的锁,所以,此时就造成了死锁。同步的就是线程和对象,将线程和对象进行绑定,获取对象的锁。
注意:通过以上代码可以发现,死锁的必要条件是不放弃已有的锁,而同时申请新锁。所以,要想实现死锁,就会有synchronized的嵌套。这样才能同时操作两个以上的锁,从而造成死锁。 |