Notice
«   2025/01   »
1 2 3 4
5 6 7 8 9 10 11
12 13 14 15 16 17 18
19 20 21 22 23 24 25
26 27 28 29 30 31
01-25 03:08
Today
Total
관리 메뉴

그날그날 공부기록

빈 생명주기, 콜백 이용하기 본문

Spring 공부

빈 생명주기, 콜백 이용하기

given_dragon 2022. 8. 16. 16:39

스프링을 통해 초기화 작업과 종료 작업을 어떻게 할 수 있을까?

생성자는 객체의 필수적인 데이터를 파라미터로 받아 객체를 생성하는 역할이다.

따라서 생성자를 통해 입력받은 필수 데이터로 수정자를 사용하여 객체를 초기화 하는것이 유지보수 관점에서 유리하다고 한다. 객체의 생성과, 초기화의 구분이 명확하기 떄문이다.

 

스프링 빈은 객체 생성 후 의존관계 주입을 한다.

그리고 의존관계 주입이 종료된 후 필요한 데이터를 사용할 수 있는 준비가 완료된다.(수정자를 사용한다면)

그렇다면 의존관계 주입이 종료됬다는걸 어떻게 알 수 있을까?

 

스프링은 의존관계 주입이 종료된 후 빈에게 콜백 메서드를 통해 어떠한 “시점"을 알려준다.(의존관계 주입이 끝나는 시점이나, 스프링 컨테이너가 종료되는 시점)

따라서 이런 콜백 메서드를 이용하면 초기화 작업 등을 진행할 수 있다.

 

스프링 빈의 이벤트 라이프 사이클은 다음과 같다.

스프링 컨테이너 생성 → 스프링 빈 생성 → 의존관계 주입 → 초기화 콜백 → 사용 → 소멸 전 콜백 → 스프링 종료

스프링은 다음의 3가지 방법으로 초기화, 소멸전 콜백을 지원한다.

  • 인터페이스(InitializingBean, DisposableBean)
  • 빈 설정 정보에 초기화, 소멸 전 메서드 지정 @Bean(initMethod=””, destroyMethod=””)
  • @PostConstruct, @PreDestroy 애노테이션 사용

수동으로 빈을 등록한다. 객체를 생성하고 수정자를 통해 데이터를 초기화 한다고 생각해보자.

public class BeanLifeCycle {

    @Test
    public void lifeCycleTest() {
        AnnotationConfigApplicationContext ac = new AnnotationConfigApplicationContext(LifeCycleConfig.class);
        Client client = ac.getBean(Client.class);
        ac.close();    //스프링 컨테이너 종료
    }
}

@Configuration
class LifeCycleConfig {
      @Bean
      public Client networkClient() {
          Client client = new Client();
          client.setData("testData");
          return client;
      }
  }

인터페이스(InitializingBean, DisposableBean)

import org.springframework.beans.factory.DisposableBean;
import org.springframework.beans.factory.InitializingBean;

public class Client implements InitializingBean, DisposableBean {

    private String data;

    public Client() {
        System.out.println("생성자 호출, data= = " + data);
    }

    public void setData(String data) {
        this.data = data;
    }

    //서비스 시작시 호출
    public void connect() {
        System.out.println("data : " + data);
    }

    //서비스 종료시 호출
    public void disconnect() {
        System.out.println("close: " + data);
    }

    @Override
    public void afterPropertiesSet() throws Exception {
        System.out.println("Client.afterPropertiesSet");
        connect();
    }
    @Override
    public void destroy() throws Exception {
        System.out.println("Client.destroy");
        disconnect();
    }
}

이렇게 InitializingBean afterPropertiesSet()메서드로 초기화를, DisposableBeandestroy()메서드로 소멸을 지원해준다.

 

출력 결과 역시 의존관계 주입이 완료된 후 afterPropertiesSet()이 실행되어 data가 출력되고 스프링 컨테이너가 종료되기 전 DisposableBeandestroy()메서드가 호출된다.

이 인터페이스는 스프링 프레임워크 전용이기 때문에 유연성이 떨어진다.


빈 설정 정보에 초기화, 소멸 전 메서드 지정 @Bean(initMethod=””, destroyMethod=””)

@Configuration
static class LifeCycleConfig {
    @Bean(initMethod = "init", destroyMethod = "close")
    public Client networkClient() {
        Client client = new Client();
        client.setData("testData");
        return client;
    }
}

빈을 등록할 때 직접 메서드 이름으로 지정할 수 있다.

public class Client{

   ...

    public void init() throws Exception {
        System.out.println("Client.init");
        connect();
    }
    public void close() throws Exception {
        System.out.println("Client.close");
        disconnect();
    }
}

 

출력 결과 역시 잘 나온다.

이렇게 설정정보를 직접 작성하면 메서드 이름도 변경이 가능하고, 스프링에 한정되지 않는다. 즉, 설정 정보를 이용하므로 코드를 변경할 수 없는 외부 라이브러리에도 사용할 수 있다.


@PostConstruct, @PreDestroy 애노테이션 사용

import javax.annotation.PostConstruct;
import javax.annotation.PreDestroy;

public class Client {

    ...

    @PostConstruct
    public void init() throws Exception {
        System.out.println("Client.init");
        connect();
        call("초기화 연결 메시지");
    }

    @PreDestroy
    public void close() throws Exception {
        System.out.println("Client.close");
        disconnect();
    }
}

위의 코드처럼 애노테이션만 붙이면 된다!

import하는 패키지도 스프링에 한정되지 않아서 유연하게 사용할 수 있다.

하지만 외부 라이브러리에서는 사용하지 못한다.

 

 

@PostConstruct, @PreDestroy 애노테이션 사용을 권장 한다고 한다.
하지만 외부 라이브러리를 초기화, 종료 시 @Bean()설정 사용

 

출처

 

스프링 핵심 원리 - 기본편 - 인프런 | 강의

스프링 입문자가 예제를 만들어가면서 스프링의 핵심 원리를 이해하고, 스프링 기본기를 확실히 다질 수 있습니다., - 강의 소개 | 인프런...

www.inflearn.com

 

Comments