Java, Immutable - 변수 기본형, 참조형
불변 객체인 Immutable 설명 전 변수의 기본형과 참조형을 알아볼 필요가 있다.
자바의 데이터 타입은 기본형과 참조형으로 나누어진다.
- 기본형: 하나의 값을 다른 변수로 공유하지 않는다.
- 참조형: 하나의 객체를 참조 주소를 통해 여러 변수에서 공유할 수 있다.
기본형 코드 살펴보기
실습 코드로 살펴본다.
기본형 복사 보기
public Class PrimitiveMain {
public static void main(String[] args) {
// 기본형 변수는 값을 공유X
int x = 10;
int y = x;
System.out.println("x=" + x);
System.out.println("y=" + y);
System.out.println("y = 99");
y = 99;
System.out.println("x=" + x);
System.out.println("y=" + y);
}
}
기본형 복사 출력 결과
x=10
y=10
y = 99
x=10
y=99
- x 변수는 10 값으로 초기화한다.
- y 변수는 10 값으로 초기화한다.
- x 변수는 y 변수로 할당한다.
- y 변수는 99 값으로 변경한다.
코드 결과는 x 변수 10, y 변수 99 출력한다.
참조형 코드 살펴보기
실습 코드로 참조형을 살펴본다.
먼저 객체를 생성한다.
객체 생성 Rectangle.java
public Rectangle {
private int width;
private int height;
public Rectangle(int width, int height) {
this.width = width;
this.height = height;
}
public int getWidth() {
return width;
}
public void setWidth(int width) {
this.width = width;
}
@Override
public String toString() {
return "Rectangle width=" +
width +
", height=" +
height;
}
}
참조형 복사 보기
public ReferenceMain {
public static void main(String[] args) {
Rectangle rect1 = new Rectangle(100,30);
Rectangle rect2 = rect1;
System.out.println(rect1);
System.out.println(rect2);
rect2.setWidth(200);
System.out.println("Ractangle rect2 Changed 200");
System.out.println(rect1);
System.out.println(rect2);
}
}
참조형 복사 출력 결과
Rectangle width=100, height=30
Rectangle width=100, height=30
Rectangle rect2 width Changed 200
Rectangle width=200, height=30
Rectangle width=200, height=30
코드 결과는 rect2 객체의 width 변수 200 값으로 변경하였을 뿐인데, rect1 객체의 width 변수 값까지 함께 변경된 것을 볼 수 있다.
rect2 객체의 변수를 변경하면 인스턴스 참조 주소를 찾아가 해당하는 변수의 값을 변경한다. 그리고 rect1 객체의 인스턴스 참조 주소는 rect2 객체와 동일하기에 값을 공유되어 변경된 것이다.
이것으로 기본형과 참조형의 값이 공유되는 현상을 살펴보았다.
코드 결과는 x 변수 10, y 변수 99 출력한다.