- 해당 게시물은 인프런 "스프링 핵심 원리 - 기본편" 강의를 참고하여 작성한 글입니다.
- 자세한 코드 및 내용은 강의를 참고해 주시길 바랍니다.
강의링크 -> 스프링 핵심 원리 - 기본편 (김영한)
AppConfig appConfig = new AppConfig();
//1. 조회: 호출할 때 마다 객체를 생성
MemberService memberService1 = appConfig.memberService();
//2. 조회: 호출할 때 마다 객체를 생성
MemberService memberService2 = appConfig.memberService();
//참조값이 다른 것을 확인
System.out.println("memberService1 = " + memberService1);
System.out.println("memberService2 = " + memberService2);
스프링 없는 순수한 DI 컨테이너인 AppConfig
는 요청을할 때마다 객체를 새로 생성하기 때문에 메모리 낭비가 심하다.
memberService 객체가 딱 1개만 생성되고, 공유하도록 설계하면 된다. 싱글톤 패턴을 사용하면 될 것 같다.
public class SingletonService {
//1. static 영역에 객체를 딱 1개만 생성해둔다.
private static final SingletonService instance = new SingletonService();
//2. public으로 열어서 객체 인스턴스가 필요하면 이 static 메서드를 통해서만 조회하도록 허용한다.
public static SingletonService getInstance() {
return instance;
}
//3. 생성자를 private으로 선언해서 외부에서 new 키워드를 사용한 객체 생성을 못하게 막는다.
private SingletonService() {
}
public void logic() {
System.out.println("싱글톤 객체 로직 호출");
}
}
싱글톤 패턴의 코드이다. 이미 만들어진 객체를 공유해서 효율적으로 사용할 수 있지만 많은 문제점 을 갖고 있다.
스프링 컨테이너는 싱글톤 패턴의 문제점을 해결하면서, 객체 인스턴스를 싱글톤으로 관리한다.
ApplicationContext ac = new
AnnotationConfigApplicationContext(AppConfig.class);
AppConfig
파일을 보자.
@Configuration
public class AppConfig {
@Bean
public MemberService memberService() {
return new MemberServiceImpl(memberRepository());
}
@Bean
public OrderService orderService() {
return new OrderServiceImpl(
memberRepository(),
discountPolicy());
}
@Bean
public MemberRepository memberRepository() {
return new MemoryMemberRepository();
}
...
}
memberService
빈을 만드는 코드를 보면 memberRepository()
를 호출하고 orderService
도 마찬가지이다. 각각 다른 2개의 MemoryMemberRepository
가 생성되면서 싱글톤이 깨지는 것처럼 보인다. 그렇지만 로그를 찍어서 테스트해보면 MemoryMemberRepository
가 중복 호출되지 않는 것을 알 수 있다. 스프링은 어떻게 싱글톤을 보장하는 것일까?
ApplicationContext ac = new AnnotationConfigApplicationContext(AppConfig.class);
//AppConfig도 스프링 빈으로 등록된다.
AppConfig bean = ac.getBean(AppConfig.class);
System.out.println("bean = " + bean.getClass());
AppConfig
도 스프링 빈이 되기 때문에 클래스 정보를 출력할 수 있다. 그런데 출력을 해보면 bean = class hello.core.AppConfig$$EnhancerBySpringCGLIB$$bd479d70
로 xxxCGLIB
가 출력되는 것을 볼 수 있다. 이는 스프링이 CGLIB라는 바이트코드 조작 라이브러리를 사용해서 AppConfig
클래스를 상속받은 임의의 다른 클래스를 만들고, 그 다른 클래스를 스프링 빈으로 등록한 것이다.
아마 AppConfig@CGLIB
는 @Bean
이 붙은 메서드마다 이미 스프링 빈이 존재하면 존재하는 빈을 반환하고, 스프링 빈이 없으면 생성해서 등록하고 반환하는 코드로 만들어졌을 것이다. 이 덕분에 싱글톤이 보장되는 것이다.
@Configuration
을 적용하지 않고 @Bean
만 사용한다면 스프링 빈으로는 등록되지만, 싱글톤을 보장하지 않는다.