和AtomicInteger类一样,AtomicBoolean类和AtomicLong类同样位于concurrent.atomic包下。它们的主要功能是支持对boolean或Boolean,long和Long类型变量进行的原子操作,实现思想和主要方法也是类似的。
AtomicInteger类源码笔记:https://www.jianshu.com/p/daa4e062746a
一、AtomicBoolean
与AtomicInteger类不同,AtomicBoolean类没有父类(因为它不需要实现Number类提供的各种数据类型转换接口)。
public class AtomicBoolean implements java.io.Serializable
所在路径:\java\util\concurrent\atomic\AtomicBoolean.java
1、成员变量
AtomicBoolean类的成员变量和静态代码块与AtomicInteger类基本没有区别,都是定义一个被volatile关键字修饰的value并利用Unsafe类获得其偏移量。
2、构造器
构造器同样比较简单。
public AtomicBoolean() {
}
public AtomicBoolean(boolean initialValue) {
value = initialValue ? 1 : 0;
}
3、set()和lazySet()
这两个方法的实现思路都没有变化,只是在赋值的时候把直接赋值改成了利用三目表达式赋值。
public final void set(boolean newValue) {
value = newValue ? 1 : 0;
}
public final void lazySet(boolean newValue) {
int v = newValue ? 1 : 0;
unsafe.putOrderedInt(this, valueOffset, v);
}
4、get()和getAndSet()
AtomicBoolean类只提供了两个和get相关的方法,因为它不需要考虑数值的自增和自减。同样,在getAndSet()方法中,最终调用的是compareAndSet()方法。
public final boolean get() {
return value != 0;
}
public final boolean getAndSet(boolean newValue) {
boolean prev;
do {
prev = get();
} while (!compareAndSet(prev, newValue));
return prev;
}
5、compareAndSet()
同样,AtomicBoolean类的compareAndSet()方法也只是在赋值前把boolean转换成了int。
public final boolean compareAndSet(boolean expect, boolean update) {
int e = expect ? 1 : 0;
int u = update ? 1 : 0;
return unsafe.compareAndSwapInt(this, valueOffset, e, u);
}
public boolean weakCompareAndSet(boolean expect, boolean update) {
int e = expect ? 1 : 0;
int u = update ? 1 : 0;
return unsafe.compareAndSwapInt(this, valueOffset, e, u);
}
这里有一个疑问:AtomicInteger类中的compareAndSet()和weakCompareAndSet()方法都是被final关键字修饰的,而AtomicBoolean类中的weakCompareAndSet()方法没有这个修饰。这意味着这个方法可以被重写等,为什么要这样设计?希望知道原因的朋友能指点一下。
二、AtomicLong
和AtomicInteger类一样,AtomicLong类也继承了Number类。
public class AtomicLong extends Number implements java.io.Serializable
所在路径:\java\util\concurrent\atomic\AtomicLong.java
1、成员变量
AtomicLong类的成员变量和静态代码块与AtomicInteger类也基本没有区别,都是定义一个被volatile关键字修饰的value并利用Unsafe类获得其偏移量。
唯一不同的是,AtomicLong类增加了一个VM_SUPPORTS_LONG_CAS属性用来表示虚拟机是否支持无锁的CAS操作(因为Long类型的位数比Integer长一倍)。这个属性是静态的,在类加载时从native方法VMSupportsCS8()中获取结果,但没有被类中其他的方法调用过。
/**
* Records whether the underlying JVM supports lockless
* compareAndSwap for longs. While the Unsafe.compareAndSwapLong
* method works in either case, some constructions should be
* handled at Java level to avoid locking user-visible locks.
*/
static final boolean VM_SUPPORTS_LONG_CAS = VMSupportsCS8();
/**
* Returns whether underlying JVM supports lockless CompareAndSet
* for longs. Called only once and cached in VM_SUPPORTS_LONG_CAS.
*/
private static native boolean VMSupportsCS8();
2、构造器和其他方法
AtomicLong类的构造器和其他方法几乎与AtomicIntiger类完全一致,只是把数据类型由int改为了long,并且在调用下一层的方法时使用xxxLong()的方法。这里就不再重复展示了,想看的朋友可以从上面的链接访问AtomicIntiger类源码笔记。