작성
·
131
0
안녕하세요, 항상 양질의 답글 감사드립니다.
이번 강의를 들으면서 싱글톤 스코프, 프로토타입 스코프를 같이 사용할 때 발생하는 일이 정확히 어떤지 궁금해서 문의드립니다.
public class SingletonTypeTestWithProtoTyepBean {
@Test
void prototypeTest(){
AnnotationConfigApplicationContext ac = new AnnotationConfigApplicationContext(PrototypeBean.class);
PrototypeBean prototypeBean1 = ac.getBean(PrototypeBean.class);
PrototypeBean prototypeBean2 = ac.getBean(PrototypeBean.class);
prototypeBean1.addCount();
prototypeBean2.addCount();
System.out.println("prototypeBean2.getCount() = " + prototypeBean2.getCount());
System.out.println("prototypeBean1.getCount() = " + prototypeBean1.getCount());
Assertions.assertThat(prototypeBean1.getCount()).isEqualTo(prototypeBean2.getCount());
}
@Test
void SingletonTestWithProto(){
AnnotationConfigApplicationContext ac = new AnnotationConfigApplicationContext(ClientBean.class, PrototypeBean.class);
ClientBean bean1 = ac.getBean(ClientBean.class);
ClientBean bean2 = ac.getBean(ClientBean.class);
int count1 = bean1.logic();
int count2 = bean2.logic();
System.out.println("count1 = " + count1);
System.out.println("count2 = " + count2);
Assertions.assertThat(count1).isNotEqualTo(count2);
ac.close();
}
@RequiredArgsConstructor
@Scope("singleton")
static class ClientBean{
private final PrototypeBean prototypeBean;
public int logic(){
prototypeBean.addCount();
return prototypeBean.getCount();
}
@PostConstruct
public void initSingleton(){
System.out.println("ClientBean.initSingleton");
}
@PreDestroy
public void singltonend(){
System.out.println("ClientBean.singltonend");
}
}
@Scope("prototype")
static class PrototypeBean {
private int count = 0 ;
public void addCount() {
count++;
}
public int getCount(){
return count;
}
@PostConstruct
public void init(){
System.out.println("PrototypeBean.init");
}
@PreDestroy
public void destory(){
System.out.println("PrototypeBean.destory");
}
}
}
위 코드의 실행 결과는 아래와 같습니다.
코드 실행 결과를 바탕으로 실행 과정을 유추해보면 다음과 같은 것 같은데, 제가 생각하는 것이 맞는지 한번 알려주실 수 있을까요?
1. 스프링 컨테이너 생성과 함께 클라이언트 클래스의 빈 객체는 생성된다.
2. 클라이언트 클래스의 빈 객체는 생성자 주입을 통해서 되기 때문에, 생성되는 시점에서 프로토타입 클래스 빈 객체를 호출한다
3. 이 때 프로토타입 빈 객체는 생성되고, 의존관계 주입되고, 초기화 메서드까지 진행되고 스프링 컨테이너에 저장된다. (프로토타입 초기화 메서드 실행 로그 확인)
4. 스프링 컨테이너에서 프로토타입 빈 객체를 찾아와 클라이언트 클래스 빈 객체에 주입시켜준다. 이 때 스프링 컨테이너에서 프로토타입 빈 객체는 사라진다.
5. DI 단계는 이미 완료되었으며, 클라이언트 초기화 메서드 실행됨.
위의 단계로 진행되는 것이 맞을까요? 앞에 설명해주신 내용을 좀 더 생각해봐서 위와 같이 정리했는데... 뇌피셜로는 맞는 것 같은데, 정말로 맞을지 궁금합니다. 항상 감사드립니다.