J.U.C 并发包提供了:
  1. AtomicBoolean
  2. AtomicInteger
  3. AtomicLong

以 AtomicInteger 为例

  1. AtomicInteger i = new AtomicInteger(0);
  2. // 获取并自增(i = 0, 结果 i = 1, 返回 0),类似于 i++
  3. System.out.println(i.getAndIncrement());
  4. // 自增并获取(i = 1, 结果 i = 2, 返回 2),类似于 ++i
  5. System.out.println(i.incrementAndGet());
  6. // 自减并获取(i = 2, 结果 i = 1, 返回 1),类似于 --i
  7. System.out.println(i.decrementAndGet());
  8. // 获取并自减(i = 1, 结果 i = 0, 返回 1),类似于 i--
  9. System.out.println(i.getAndDecrement());
  10. // 获取并加值(i = 0, 结果 i = 5, 返回 0)
  11. System.out.println(i.getAndAdd(5));
  12. // 加值并获取(i = 5, 结果 i = 0, 返回 0)
  13. System.out.println(i.addAndGet(-5));
  14. // 获取并更新(i = 0, p 为 i 的当前值, 结果 i = -2, 返回 0)
  15. // 其中函数中的操作能保证原子,但函数需要无副作用
  16. System.out.println(i.getAndUpdate(p -> p - 2));
  17. // 更新并获取(i = -2, p 为 i 的当前值, 结果 i = 0, 返回 0)
  18. // 其中函数中的操作能保证原子,但函数需要无副作用
  19. System.out.println(i.updateAndGet(p -> p + 2));
  20. // 获取并计算(i = 0, p 为 i 的当前值, x 为参数1, 结果 i = 10, 返回 0)
  21. // 其中函数中的操作能保证原子,但函数需要无副作用
  22. // getAndUpdate 如果在 lambda 中引用了外部的局部变量,要保证该局部变量是 final 的
  23. // getAndAccumulate 可以通过 参数1 来引用外部的局部变量,但因为其不在 lambda 中因此不必是 final
  24. System.out.println(i.getAndAccumulate(10, (p, x) -> p + x));
  25. // 计算并获取(i = 10, p 为 i 的当前值, x 为参数1, 结果 i = 0, 返回 0)
  26. // 其中函数中的操作能保证原子,但函数需要无副作用
  27. System.out.println(i.accumulateAndGet(-10, (p, x) -> p + x));