美文网首页
2.2.11同步synchronized方法无限等待与解决

2.2.11同步synchronized方法无限等待与解决

作者: 农家男孩 | 来源:发表于2017-07-13 21:57 被阅读0次

同步方法易造成死循环

/**
 * @author wuyoushan
 * @date 2017/4/10.
 */
public class Service {
    synchronized public void methodA(){
        System.out.println("methodA begin");
        boolean isContinueRun=true;
        while (isContinueRun){

        }
        System.out.println("methodA end");
    }

    synchronized public void methodB(){
        System.out.println("methodB begin");
        System.out.println("methodB end");
    }
}

/**
 * @author wuyoushan
 * @date 2017/4/4.
 */
public class ThreadA extends Thread{

    private Service service;

    public ThreadA(Service service) {
        this.service = service;
    }

    @Override
    public void run() {
       super.run();
        service.methodA();
    }
}

/**
 * @author wuyoushan
 * @date 2017/4/4.
 */
public class ThreadB extends Thread{

   private Service service;

    public ThreadB(Service service) {
        this.service = service;
    }

    @Override
    public void run() {
        super.run();
        service.methodB();
    }
}

/**
 * @author wuyoushan
 * @date 2017/3/20.
 */
public class Run {
    public static void main(String[] args){
      Service service=new Service();
      ThreadA a=new ThreadA(service);
      a.start();
      ThreadB b=new ThreadB(service);
      b.start();
    }
}

程序的运行结果为:

methodA begin


线程B永远得不到运行的机会,锁死了。这时候可以用同步块来解决这样的问题。更改Service.java文件代码如下:

/**
 * @author wuyoushan
 * @date 2017/4/10.
 */
public class Service {
    Object object1=new Object();
    public void methodA(){
        synchronized (object1) {
            System.out.println("methodA begin");
            boolean isContinueRun = true;
            while (isContinueRun) {

            }
            System.out.println("methodA end");
        }
    }
    Object object2=new Object();
    public void methodB(){
        synchronized (object2) {
            System.out.println("methodB begin");
            System.out.println("methodB end");
        }
    }
}

程序的运行结果为:

methodA begin
methodB begin
methodB end

摘选自 java多线程核心编程技术-2.2.11

相关文章

网友评论

      本文标题:2.2.11同步synchronized方法无限等待与解决

      本文链接:https://www.haomeiwen.com/subject/rncehxtx.html