Java 并发 AtomicBoolean类


java.util.concurrent.atomic.AtomicBoolean类提供了有关基础布尔值的操作,可以以原子方式读取和写入,并且还包含高级的原子操作。AtomicBoolean支持基础布尔变量的原子操作。它具有读取和写入易失性变量的方法。也就是说,一个集合与之后的任何一个变量之间都有一个前后关系。原子compareAndSet方法也具有这些内存一致性功能。

AtomicBoolean方法

以下是AtomicBoolean类中可用的重要方法的列表。

Sr.No. 方法和描述
1 public boolean compareAndSet(boolean expect,boolean update) 如果当前值==期望值,则按原子值将该值设置为给定的更新值。
2 public boolean get() 返回当前值。
3 public boolean getAndSet(boolean newValue) 原子级设置为给定值并返回以前的值。
4 public void lazySet(boolean newValue) 最终设置为给定值。
5 public void set(boolean newValue) 无条件设置为给定值。
6 public String toString() 返回当前值的字符串表示形式。
7 public boolean weakCompareAndSet(boolean expect, boolean update) 如果当前值==期望值,则按原子值将该值设置为给定的更新值。

以下TestThread程序在基于线程的环境中显示AtomicBoolean变量的用法。

import java.util.concurrent.atomic.AtomicBoolean;

public class TestThread {

   public static void main(final String[] arguments) throws InterruptedException {
      final AtomicBoolean atomicBoolean = new AtomicBoolean(false);

      new Thread("Thread 1") {

         public void run() {

            while(true) {
               System.out.println(Thread.currentThread().getName()
                  +" Waiting for Thread 2 to set Atomic variable to true. Current value is "
                  + atomicBoolean.get());

               if(atomicBoolean.compareAndSet(true, false)) {
                  System.out.println("Done!");
                  break;
               }
            }
         };
      }.start();

      new Thread("Thread 2") {

         public void run() {
            System.out.println(Thread.currentThread().getName() +
               ", Atomic Variable: " +atomicBoolean.get());
            System.out.println(Thread.currentThread().getName() +
               " is setting the variable to true ");
            atomicBoolean.set(true);
            System.out.println(Thread.currentThread().getName() +
               ", Atomic Variable: " +atomicBoolean.get());
         };
      }.start();
   }
}

这将产生以下结果。

输出

Thread 1 Waiting for Thread 2 to set Atomic variable to true. Current value is false
Thread 1 Waiting for Thread 2 to set Atomic variable to true. Current value is false
Thread 1 Waiting for Thread 2 to set Atomic variable to true. Current value is false
Thread 2, Atomic Variable: false
Thread 1 Waiting for Thread 2 to set Atomic variable to true. Current value is false
Thread 2 is setting the variable to true
Thread 2, Atomic Variable: true
Thread 1 Waiting for Thread 2 to set Atomic variable to true. Current value is false
Done!