이 글은 스프링 [핵심원리 - 기본편]을 듣고 정리한 내용입니다
데이터베이스 커넥션 풀이나 네트워크 소켓처럼 애플리케이션 시작 지점에 필요한 연결을 미리 해두고, 애플리케이션 종료 시점에 연결을 모두 종료하는 작업을 진행하려면, 객체의 초기화와 종료 작업이 필요하다.
스프링을 통해 초기화 작업과 종료 작업 하는 예시
package hello.core.lifecycle;
public class NetworkClient {
private String url;
public NetworkClient(){
System.out.println("생성자 호출, url= "+ url);
connect();
call("초기화 연결 메세지");
}
public void setUrl(String url) {
this.url = url;
}
//서비스 시작시 호출
public void connect(){
System.out.println("connect: "+ url);
}
public void call(String message){
System.out.println("call: "+url +", messge = "+message);
}
//서비스 종료시 호출
public void disconnect(){
System.out.println("close: "+ url);
}
}
package hello.core.lifecycle;
import java.lang.annotation.Annotation;
public class BeanLifeCycleTest {
@Test
public void lifeCycleTest(){
ConfigurableApplicationContext ac = new AnnotationConfigApplicationContext(LifeCycleConfig.class);
NetworkClient client = ac.getBean(NetworkClient.class);
ac.close();
}
@Configuration
static class LifeCycleConfig {
@Bean
public NetworkClient networkClient(){
NetworkClient networkClient = new NetworkClient();
networkClient.setUrl("http://hello-spring.dev");
return networkClient;
}
}
}
*참고
- 객체의 생성과 초기화를 분리하자.
- 생성자는 필수 정보(파라미터)를 받고, 메모리를 할당해서 객체를 생성하는 책임을 가진다.
- 초기화는 생성된 값들을 활용해서 외부 커넥션을 연결하는 등 무거운 동작을 수행한다.
package hello.core.lifecycle;
import org.springframework.beans.factory.DisposableBean;
import org.springframework.beans.factory.InitializingBean;
public class NetworkClient implements InitializingBean, DisposableBean {
private String url;
public NetworkClient(){
System.out.println("생성자 호출, url= "+ url);
}
public void setUrl(String url) {
this.url = url;
}
//서비스 시작시 호출
public void connect(){
System.out.println("connect: "+ url);
}
public void call(String message){
System.out.println("call: "+url +", messge = "+message);
}
//서비스 종료시 호출
public void disconnect(){
System.out.println("close: "+ url);
}
//메서드 초기화
@Override
public void afterPropertiesSet() throws Exception {
System.out.println("NetworkClient.afterPropertiesSet");
connect();
call("초기화 연결 메세지");
}
//메서드 소멸
@Override
public void destroy() throws Exception {
System.out.println("NetworkClient.destroy");
disconnect();
}
}
InitializingBean
은 afterPropoertiesSet()
메서드로 초기화를 지원한다.DisposableBean
은 destroy()
메서드로 소멸을 지원한다.
- 인터페이스를 사용하는 초기화, 종료 방법은 초창기(2003년)에 나온 방법들이다.
- 지금은 더 나은 방법들이 있어서 거의 사용하지 않는다.
설정 정보에 @Bean(initMethod = "init", destroyMethod="close") 처럼 초기화, 소멸 메서드를 지정할 수 있다.
init, close 함수 작성
package hello.core.lifecycle;
public class NetworkClient {
private String url;
public NetworkClient(){
System.out.println("생성자 호출, url= "+ url);
}
public void setUrl(String url) {
this.url = url;
}
//서비스 시작시 호출
public void connect(){
System.out.println("connect: "+ url);
}
public void call(String message){
System.out.println("call: "+url +", messge = "+message);
}
//서비스 종료시 호출
public void disconnect(){
System.out.println("close: "+ url);
}
//메서드 초기화
public void init() {
System.out.println("NetworkClient.init");
connect();
call("초기화 연결 메세지");
}
//메서드 소멸
public void close() {
System.out.println("NetworkClient.close");
disconnect();
}
}
@Configuration
static class LifeCycleConfig {
@Bean(initMethod = "init", destroyMethod = "close") //init, close 등록
public NetworkClient networkClient(){
NetworkClient networkClient = new NetworkClient();
networkClient.setUrl("http://hello-spring.dev");
return networkClient;
}
}
*종료 메서드 추론
@Bean의 destoryedMethod
속성의 특별한 기능
@Bean의 destryMethod
는 디폴트 값이(inferred)
(추론)으로 등록되어 있다.- 라이브러리는 대부분
close
,shutdown
이라는 이름의 종료 메서드를 사용하는데, 위의 추론 기능은close
,shutdown
이라는 이름의 메서드를 자동으로 호출해준다. (다른 이름이면 안됨.)- 그러므로, 직접 스프링 빈 등록 방식을 이용하면, 종료 메서드는 따로 적어주지 않아도 된다.
package hello.core.lifecycle;
import javax.annotation.PostConstruct;
import javax.annotation.PreDestroy;
public class NetworkClient {
private String url;
public NetworkClient(){
System.out.println("생성자 호출, url= "+ url);
}
public void setUrl(String url) {
this.url = url;
}
//서비스 시작시 호출
public void connect(){
System.out.println("connect: "+ url);
}
public void call(String message){
System.out.println("call: "+url +", messge = "+message);
}
//서비스 종료시 호출
public void disconnect(){
System.out.println("close: "+ url);
}
@PostConstruct
public void init() {
System.out.println("NetworkClient.init");
connect();
call("초기화 연결 메세지");
}
@PreDestroy
public void close() {
System.out.println("NetworkClient.close");
disconnect();
}
}
@Configuration
static class LifeCycleConfig {
@Bean
public NetworkClient networkClient(){
NetworkClient networkClient = new NetworkClient();
networkClient.setUrl("http://hello-spring.dev");
return networkClient;
}
}
출력 결과를 보면, 잘 호출된다.
@PostConstruct
, @PreDestory
이 두 어노테이션을 사용하면 가장 편리하게 초기화와 종료를 실행 할 수 있다.
@PostConstrcut, @PreDestory 어노테이션 특징
import javax.annotation.PostConstruct;
이다. 스프링 종속적인 기술이 아니라 자바 표준이므로, 스프링이 아닌 다른 컨테이너에서도 동작한다.@Bean
의 initMethod
, destroyMethod
를 사용하자.