⇒ Java의 객체지향 설계 향상
일급 컬렉션 적용 전
public class Student {
private String name;
private List<Integer> scores; // 컬렉션 노출
public Student(String name, List<Integer> scores) {
this.name = name;
this.scores = scores;
}
public List<Integer> getScores() {
return scores; // 컬렉션을 그대로 반환
}
public double getAverageScore() {
return scores.stream().mapToInt(Integer::intValue).average().orElse(0);
}
}
getScores()
를 통해 List<Integer>
가 직접 반환되므로, 외부에서 변경이 가능하다Student
클래스에 혼재되어 응집도가 떨어진다Student
가 점수 관련 기능까지 책임진다 (단일 책임 원칙 위배)리스트를 final로 만들면 변경 못하지 않을까?
private final List<Integer> scores;
final
은 재할당만 금지할 뿐, List의 메서드는 여전히 사용할 수 있어서 결국 값을 변경할 수 있다.
(새로운 List를 scores에 넣을 순 없지만 List.add(), List.set()은 여전히 동작한다.)
⇒ 아예 List에 접근도 못하게 만들어버리자!
일급 컬렉션 Score 클래스
public class Scores {
private final List<Integer> scores;
public Scores(List<Integer> scores) {
this.scores = List.copyOf(Objects.requireNonNull(scores)); // 불변 리스트 생성
}
public double getAverage() {
return scores.stream().mapToInt(Integer::intValue).average().orElse(0);
}
public List<Integer> getTopScores(int threshold) {
return scores.stream()
.filter(score -> score >= threshold)
.collect(Collectors.toList());
}
public List<Integer> getScores() {
return Collections.unmodifiableList(scores); // 불변 리스트 반환
}
@Override
public String toString() {
return scores.toString();
}
}
public class Student {
private String name;
private Scores scores; // 일급 컬렉션 사용
public Student(String name, List<Integer> scores) {
this.name = name;
this.scores = new Scores(scores);
}
public double getAverageScore() {
return scores.getAverage();
}
public List<Integer> getTopScores(int threshold) {
return scores.getTopScores(threshold);
}
}
⇒ 결론: 컬렉션을 직접 다루지 말고, 일급 컬렉션으로 활용하면 좋다!