AtomicReference.compareAndSet用法,举例说明
时间: 2023-11-22 22:42:51 浏览: 167
AtomicReference.compareAndSet是Java中AtomicReference类的一个方法,用于比较当前引用和预期引用是否相等,并在相等的情况下将引用设置为新的值。该方法是原子性操作,可以用于实现多线程环境下的线程安全。
下面是一个示例代码,演示了AtomicReference.compareAndSet的用法:
```java
import java.util.concurrent.atomic.AtomicReference;
public class AtomicReferenceExample {
public static void main(String[] args) {
AtomicReference<String> atomicReference = new AtomicReference<>("Hello");
// 预期引用为"Hello",当前引用为"Hello",比较相等,设置新的引用为"World"
boolean result1 = atomicReference.compareAndSet("Hello", "World");
System.out.println("Result 1: " + result1); // 输出:Result 1: true
System.out.println("Current value: " + atomicReference.get()); // 输出:Current value: World
// 预期引用为"Hello",当前引用为"World",比较不相等,不修改引用
boolean result2 = atomicReference.compareAndSet("Hello", "Java");
System.out.println("Result 2: " + result2); // 输出:Result 2: false
System.out.println("Current value: " + atomicReference.get()); // 输出:Current value: World
}
}
```
在这个示例中,我们创建了一个AtomicReference对象,并初始设置为"Hello"。然后我们分别调用compareAndSet方法来尝试修改引用的值。
第一个调用compareAndSet方法时,预期引用为"Hello",当前引用也为"Hello",因此比较相等,设置新的引用为"World"。返回值为true,表示修改成功。最后输出当前引用的值为"World"。
第二个调用compareAndSet方法时,预期引用为"Hello",当前引用已经被修改为"World",不再与预期引用相等,因此不会修改引用的值。返回值为false,表示修改失败。最后输出当前引用的值仍为"World"。
阅读全文