Java - AtomicLong이란?

kdkdhoho·2022년 7월 30일
0

Spring Docs를 보며 공부 중에 AtomicLong 이라는 객체가 있어서 알아두면 유용할 것 같아 정리하고자 한다.

참고: https://codechacha.com/ko/java-atomic-long/

개요

AtomicLong은 Long 자료형을 갖고 있는 Wrapping 클래스이다.

Thread-safe로 구현되어 멀티쓰레드에서 synchronized 없이 사용할 수 있다.
또한 synchronized 보다 적은 비용으로 동시성을 보장할 수 있습니다.

AtomicLong 클래스를 사용하는 방법에 대해서 알아보자.

객체 생성

  • AtomicLong() : 초기값이 0인 AtomicLong을 생성
  • AtomicLong(longVal) : 인자의 값으로 초기화된 AtomicLong을 생성
AtomicLong atomic = new AtomicLong();
System.out.println("AtomicLong() : " + atomic.get());

AtomicLong atomic2 = new AtomicLong(10);
System.out.println("AtomicLong(10) : " + atomic2.get());

Output:

AtomicLong() : 0
AtomicLong(10) : 10

get(), set(), getAndSet()

AtomicLong의 값을 변경하려면 set(newValue) 메소드를, 값을 읽으려면 get() 메소드를 사용하자.
getAndSet(newValue)는 현재 값을 리턴하고, 새로운 값으로 업데이트한다.

AtomicLong atomic = new AtomicLong();

atomic.set(100);
System.out.println("get() : " + atomic.get());

System.out.println("getAndSet(200) : " + atomic.getAndSet(200));
System.out.println("get() : " + atomic.get());

Output:

get() : 100
getAndSet(200) : 100
get() : 200

getAndUpdate(), updateAndGet()

getAndUpdate(LongUnaryOperator)getAndSet()와 조금 다르다.
두번째 인자에 람다식을 전달할 수 있어서, 함수로 값을 변경할 수 있다.

updateAndGet(LongUnaryOperator)는 업데이트 후 설정된 값을 리턴한다.

AtomicLong atomic = new AtomicLong(10);
LongUnaryOperator square = (n) -> n * n;
System.out.println("getAndUpdate(square) : " + atomic.getAndUpdate(square));
System.out.println("get() : " + atomic.get());

AtomicLong atomic2 = new AtomicLong(5);
System.out.println("updateAndGet(square) : " + atomic2.updateAndGet(square));
System.out.println("get() : " + atomic2.get());

Output:

getAndUpdate(square) : 10
get() : 100
updateAndGet(square) : 25
get() : 25

getAndIncrement(), getAndAdd()

  • getAndIncrement() : 현재 값 리턴하고 +1 증가
  • incrementAndGet() : +1 증가시키고 변경된 값 리턴
  • getAndDecrement() : 현재 값 리턴하고 -1 감소
  • decrementAndGet() : -1 감소시키고 변경된 값 리턴
  • getAndAdd(newValue) : 현재 값 리턴하고, 현재 값에 newValue를 더하기
  • addAndGet(newValue) : 현재 값에 newValue를 더하고, 그 결과를 리턴

compareAndSet()

compareAndSet(expect, update)은 현재 값이 예상하는 값(expect)과 동일하다면, update 값으로 변경하고 true를 리턴한다. 그렇지 않다면 데이터 변경은 없고 false를 리턴한다.

AtomicLong atomic = new AtomicLong(100);

int expected = 10;
int update = 1000;

System.out.println("success ? " + atomic.compareAndSet(expected, update));
System.out.println("get() : " + atomic.get());

expected = 100;
System.out.println("success ? " + atomic.compareAndSet(expected, update));
System.out.println("get() : " + atomic.get());

Output:

success ? false
get() : 100
success ? true
get() : 1000
profile
newBlog == https://kdkdhoho.github.io

0개의 댓글