e. Bean Life Cycle - kimxavi/spring_tutorial GitHub Wiki

์Šคํ”„๋ง bean์˜ ๋ผ์ดํ”„ ์‚ฌ์ดํด์€ ์ดํ•ดํ•˜๊ธฐ ์‰ฝ๋‹ค. bean์ด ์ธ์Šคํ„ด์Šคํ™” ๋  ๋•Œ, ์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ƒํƒœ๋ฅผ ์–ป๋Š” ์ดˆ๊ธฐํ™”๊ฐ€ ์š”์ฒญ๋œ๋‹ค. ์œ ์‚ฌํ•˜๊ฒŒ, bean์ด ๋” ์ด์ƒ ํ•„์š”ํ•˜์ง€ ์•Š๊ณ  ์ปจํ…Œ์ด๋„ˆ์—์„œ ์ œ๊ฑฐ๋  ๋•Œ, cleanup์ด ์š”์ฒญ๋œ๋‹ค. ์˜ init-method, destroy-method ํŒŒ๋ผ๋ฏธํ„ฐ๋กœ bean์˜ ์„ค์น˜์™€ ๋ถ„ํ•ด๋ฅผ ์ •์˜ํ•œ๋‹ค. init-method๋Š” bean์ด ์ธ์Šคํ„ด์Šคํ™” ๋˜๋Š” ์ฆ‰์‹œ์— ๋ถˆ๋Ÿฌ์ง„๋‹ค. ์œ ์‚ฌํ•˜๊ฒŒ, destroy-method๋Š” ์ปจํ…Œ์ด๋„ˆ์—์„œ bean์ด ์ œ๊ฑฐ๋˜๊ธฐ ์ง์ „์— ๋ถˆ๋Ÿฌ์ง„๋‹ค.

HelloWorld.java

package com.tutorialspoint;

public class HelloWorld {
   private String message;

   public void setMessage(String message){
      this.message  = message;
   }
   public void getMessage(){
      System.out.println("Your Message : " + message);
   }
   public void init(){
      System.out.println("Bean is going through init.");
   }
   public void destroy(){
      System.out.println("Bean will destroy now.");
   }
}

MainApp.java

package com.tutorialspoint;

import org.springframework.context.support.AbstractApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;

public class MainApp {
   public static void main(String[] args) {

      AbstractApplicationContext context = new ClassPathXmlApplicationContext("Beans.xml");

      HelloWorld obj = (HelloWorld) context.getBean("helloWorld");
      obj.getMessage();
      context.registerShutdownHook();
   }
}
  • ์—ฌ๊ธฐ์— AbstractApplicationContext ์— ์„ ์–ธ๋œ registerShutdownHook() ์…ง๋‹ค์šด hook์„ ๋“ฑ๋กํ•ด์•ผํ•œ๋‹ค. ์ด๊ฒƒ์€ ์ ์ ˆํ•œ ์…ง๋‹ค์šด๊ณผ ์†Œ๋ฉธ์ž๋ฅผ ํ˜ธ์ถœํ•œ๋‹ค.

Beans.xml

<?xml version="1.0" encoding="UTF-8"?>

<beans xmlns="http://www.springframework.org/schema/beans"
    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://www.springframework.org/schema/beans
    http://www.springframework.org/schema/beans/spring-beans-3.0.xsd">

   <bean id="helloWorld" 
       class="com.tutorialspoint.HelloWorld"
       init-method="init" destroy-method="destroy">
       <property name="message" value="Hello World!"/>
   </bean>

</beans>

PRINT

Bean is going through init.
Your Message : Hello World!
Bean will destroy now.

Default initialization and destroy methods

๋งŒ์•ฝ bean๋“ค์ด ๋งŽ์„ ๊ฒฝ์šฐ default-init-method and default-destroy-method๋ฅผ ํ™œ์šฉํ•ด์„œ ์„ค์ •ํ•ด์ค€๋‹ค.

<beans xmlns="http://www.springframework.org/schema/beans"
    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://www.springframework.org/schema/beans
    http://www.springframework.org/schema/beans/spring-beans-3.0.xsd"
    default-init-method="init" 
    default-destroy-method="destroy">

   <bean id="..." class="...">
       <!-- collaborators and configuration for this bean go here -->
   </bean>

</beans>
โš ๏ธ **GitHub.com Fallback** โš ๏ธ