java.util.concurrent.atomic包:原子类的小工具包,支持在单个变量上解除锁的线程安全编程
原子变量类相当于一种泛化的 volatile 变量,能够支持原子的和有条件的读-改-写操作。AtomicInteger 表示一个int类型的值,并提供了 get 和 set 方法,这些 Volatile 类型的int变量在读取和写入上有着相同的内存语义。它还提供了一个原子的 compareAndSet 方法(如果该方法成功执行,那么将实现与读取/写入一个 volatile 变量相同的内存效果),以及原子的添加、递增和递减等方法。AtomicInteger 表面上非常像一个扩展的 Counter 类,但在发生竞争的情况下能提供更高的可伸缩性,因为它直接利用了硬件对并发的支持。
如果同一个变量要被多个线程访问,则可以使用该包中的类
AtomicBoolean
AtomicInteger
AtomicLong
AtomicReference
示例:
1.没有使用原子类的代码
private static Integer count=1; private static void getCount(){ System.out.println(count); count++; } public static void main(String[] args) { AtomicTest test=new AtomicTest(); for (int i = 1; i <=2; i++) { new Thread(()->{ for (int j = 1; j <=10; j++) { test.getCount(); } }).start(); } }
执行效果:会出现错误的值
2.使用原子类
//定义一个原子类对象 private AtomicInteger atomicInteger=new AtomicInteger(); public void getCount(){ //+1再返回 System.out.println(atomicInteger.incrementAndGet()); } public static void main(String[] args) { AtomicTest test=new AtomicTest(); for (int i = 1; i <=2; i++) { new Thread(()->{ for (int j = 1; j <=10; j++) { test.getCount(); } }).start(); } }
执行效果:
来源:https://www.cnblogs.com/chx9832/p/12574258.html