当前位置: 首页 > 工具软件 > Spring Sync > 使用案例 >

synchronized function&& sync

麻茂材
2023-12-01

public class IncreaseRunnable implements Runnable {
    static volatile  int i = 0; //有没有volidate不影响结果,表示还不能理解volidate作用

    @Override
    public void run() {
        try {
            Thread.sleep(200);
        } catch (InterruptedException e) {
            e.printStackTrace();
        }
        synchronized (IncreaseRunnable.class) {
            System.out.println(++i);
        }
    }
}

测试代码如下:

public class ThreadTest {

    public static void main(String[] args) {
        for (int i = 0; i < 1000; i++) {
            new Thread(new IncreaseRunnable()).start();
        }
    }

}

通过在循环体中new IncreaseRunnable() 创建了多个对象。这是在run() 中操作i变量的时候,添加synchronized (IncreaseRunnable.class) ,可以实现多线程中的多变量的同步访问。
稍微修改一下代码:

public class IncreaseRunnable implements Runnable {
    static volatile  int i = 0;

    @Override
    public synchronized void run() {
        try {
            Thread.sleep(200);
        } catch (InterruptedException e) {
            e.printStackTrace();
        }
        System.out.println(++i);
    }

}

这样最后执行的打印结果不是1000,so synchronized function 仅仅限制同一个变量在多线程条件下对方法的互斥访问
为了证实一下,这是,修改ThreadTest如下:

public class ThreadTest {

    public static void main(String[] args) {
        Runnable testRunnable = new IncreaseRunnable();
        for (int i = 0; i < 1000; i++) {
            new Thread(testRunnable).start();
        }
    }

}

ok,就是太慢啦!

 类似资料: