목차
- 가변객체, 불변객체
- 클라이언트에서, 객체의 허락 없이, 외부에서 내부를 수정함
- 방어적 복사
가변 객체
내부 상태가 변경 가능한 객체
멀티 스레드 환경에서 사용하려면 별도의 동기화 처리가 필요함
ex) ArrayList, HashMap, StringBuilder, StringBuffer
불변 객체
내부 상태를 변경할 수 없는 객체
멀티 스레드 환경에서도 안전하게 사용 가능
ex) String
문제상황
클라이언트에서, 객체의 허락 없이, 외부에서 내부를 수정함
문제해결
방법 1) 가변객체를 수정할 수 없도록 방어적 복사를 한다
방법 2) 수정 가능한 가변객체에 대해 미리 알려주는 문서화를 한다
public final class Period {
private final Date start;
private final Date end;
// 잘못된 예
public Period(Date start, Date end) {
if (start.compareTo(end) > 0 )
throw new IllegalArgumentException(start + "가 " + end + " 보다 늦다.");
this.start = start;
this.end = end;
}
// 옳은 예
public Period(Date start, Date end) {
this.start = new Date(start.getTime());
this.end = new Date(end.getTime());
if (start.compareTo(end) > 0 )
throw new IllegalArgumentException(start + "가 " + end + " 보다 늦다.");
}
}
// 왜 잘못되었냐? Date는 가변이라서 바꿀 수가 있다
Date start = new Date();
Date end = new Date();
Period p = new Period(start, end);
end.setYear(78);
public final class Period {
private final Date start;
private final Date end;
// 잘못된 예
public Date start() {
return start;
}
public Date end() {
return end;
}
// 옳은 예
public Date start() {
return new Date(start.getTime());
}
public Date end() {
return new Date(end.getTime());
}
}
// 왜 잘못되었나? 가변필드에 접근해서 바꿀 수 있음
Date start = new Date();
Date end = new Date();
Period p = new Period(start, end);
p.end().setYear(78);