当前位置: 代码迷 >> 软件架构设计 >> How to initialize and destroy beans in Spring
  详细解决方案

How to initialize and destroy beans in Spring

热度:4312   发布时间:2013-02-26 00:00:00.0
How to initialize and destroy beans in Spring?

When creating an instance of a bean you might need to do some initialization to the bean. Likewise, when the bean is no longer needed and removed from the Spring container you might want to do some cleanup routine or destroy the bean.

To do this initialization and destroy routine you can use the init-method anddestroy-method attribute when declaring a bean in spring configuration using the<bean> element.

By defining the init-method and destroy-method it will allow the Spring Container to call the initialization method right after the bean created. And just before the bean removed and discarded from the container, the defined destroy method will be called. Let's see some code snippet as an example.

 

package org.kodejava.example.spring;public class DemoEngine {    public void demoInitialize() {        System.out.println("DemoEngine.demoInitialize");    }    public void demoDestroy() {        System.out.println("DemoEngine.demoDestroy");    }}


Below is the Spring configuration file that we use to declare the bean. You'll see in the configuration there are additional attributes that we add to the bean.

<?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="engine" class="org.kodejava.example.spring.DemoEngine"          init-method="demoInitialize"          destroy-method="demoDestroy"/> </beans>


Create a small program to execute our demo:

package org.kodejava.example.spring; import org.springframework.context.ConfigurableApplicationContext;import org.springframework.context.support.ClassPathXmlApplicationContext; public class InitDestroyDemo {    public static void main(String[] args) {        ConfigurableApplicationContext context =                new ClassPathXmlApplicationContext("AutoEngine.xml");         AutoEngine engine = (AutoEngine) context.getBean("engine");         //        // context.close will remove the bean from the container.        // This will call our bean destroy method.        //        context.close();    }}


When you run the program it will print the following output:

DemoEngine.demoInitializeDemoEngine.demoDestroy


The advantage of using this method to initialize or clean up the bean is that it doesn't mandate our bean to implement or extend any Spring API which will make our bean reusable on other container beside Spring.

  相关解决方案