分析

在高并发条件下,如果都需要对flag进行修改,就会破坏其原子性

  • 观察下面代码
public class AtomicBooleanTest {

    private static volatile Boolean flag = true;

    public static void main(String[] args) {
        for (int i = 0; i < 10; i++) {
            new Thread(() -> {
                if (flag) {
                    try {
                        Thread.sleep(1);
                        flag = false;
                    } catch (Exception e) {
                        e.printStackTrace();
                    }
                    System.out.println(Thread.currentThread() + " modify the flag. ");
                }

            }).start();
        }
    }
}

  • 结果是不止一个线程发生了更改
public class AtomicBooleanTest {

    private static AtomicBoolean flag = new AtomicBoolean(true);

    public static void main(String[] args) {
        for (int i = 0; i < 10; i++) {
            new Thread(() -> {
                if (flag.compareAndSet(true,false)) {
                    try {
                        Thread.sleep(1);
                    } catch (Exception e) {
                        e.printStackTrace();
                    }
                    System.out.println(Thread.currentThread() + " modify the flag. ");
                }

            }).start();
        }
    }
}

使用了原子类型,利用的是CAS机制,就可以避免多个线程间破坏原子性

本质上:该类型采用的依然是int类型表示true和false

public AtomicBoolean(boolean initialValue) {
    value = initialValue ? 1 : 0;
}

CAS

参考:https://blog.csdn.net/qq_43040688/article/details/105914717