public class SpellChecker {
private static final Lexicon DICTIONARY = null; // 편의상 null로 초기화했다.
private SpellChecker() {
} // 객체 생성 방지
public static boolean isValid(String word) {
// someThing
return true; // 편의상 이렇게 작성했다.
}
public static List<String> suggestions(String typo) {
// someThing
return Collections.emptyList(); // 편의상 이렇게 작성했다.
}
}
public class SpellChecker {
private final Lexicon dictionary = null;
private SpellChecker() {
}
public static SpellChecker INSTANCE = new SpellChecker();
public boolean isValid(String word) {
return true; // 편의상 이렇게 작성했다.
}
public List<String> suggestions(String typo) {
return Collections.emptyList(); // 편의상 이렇게 작성했다.
}
}
public class SpellChecker {
private final Lexicon dictionary;
public SpellChecker(Lexicon dictionary) {
this.dictionary = Objects.requireNonNull(dictionary);
}
public boolean isValid(String word) {
return true; // 편의상 이렇게 작성했다.
}
public List<String> suggestions(String typo) {
return Collections.emptyList(); // 편의상 이렇게 작성했다.
}
}
public final class Objects {
// ...
public static <T> T requireNonNull(T obj) {
if (obj == null)
throw new NullPointerException();
return obj;
}
// ...
}
클래스가 내부적으로 하나 이상의 자원에 의존하고, 그 자원이 클래스 동작에 영향을 준다면 싱글턴과 정적 유틸리티 클래스는 사용하지 않는 것이 좋다. 이 자원들을 클래스가 직접 만들게 해서도 안 된다. 대신 필요한
자원을 (혹은 그 자원을 만들어주는 팩터리를) 생성자에 (혹은 정적 팩터리나 빌더에) 넘겨주자. 의존 객체 주입이라 하는 이 기법은 클래스의 유연성, 재사용성, 테스트 용이성을 기막히게 개선해준다.