位置:首頁 > Java技術 > Spring > Spring BeanFactory容器

Spring BeanFactory容器

這是最簡單的容器提供DI的基本支持,並由org.springframework.beans.factory.BeanFactory 接口中定義。BeanFactory或者相關的接口,例如實現BeanFactoryAware,InitializingBean,DisposableBean,仍然存在在Spring向後兼容性與大量的 Spring 整合第三方框架的目的。

有相當數量的接口來提供直出隨取即用的Spring 的 BeanFactory接口的實現。最常用BeanFactory 實現的是 XmlBeanFactoryclass。此容器從XML文件中讀取配置元數據,並使用它來創建一個完全配置的係統或應用程序。

BeanFactory中通常是首選的資源,如移動設備或基於applet的應用受到限製。因此,使用一個ApplicationContext,除非你有一個很好的理由不這樣做。

例如:

讓我們使用 Eclipse IDE,然後按照下麵的步驟來創建一個Spring應用程序:

步驟 描述
1 創建一個項目名稱為 SpringExample 並創建一個包 com.yiibai 在文件夾 src 下.
2 Add required Spring libraries using Add External JARs option as explained in the Spring Hello World Example chapter.
3 Create Java classes HelloWorld and MainApp under the com.yiibai package.
4 Create Beans configuration file Beans.xml under the src folder.
5 The final step is to create the content of all the Java files and Bean Configuration file and run the application as explained below.

這裡是HelloWorld.java文件的內容:

package com.yiibai;

public class HelloWorld {
   private String message;

   public void setMessage(String message){
      this.message  = message;
   }

   public void getMessage(){
      System.out.println("Your Message : " + message);
   }
}

下麵是第二個文件 MainApp.java 的內容:

package com.yiibai;

import org.springframework.beans.factory.InitializingBean;
import org.springframework.beans.factory.xml.XmlBeanFactory;
import org.springframework.core.io.ClassPathResource;

public class MainApp {
   public static void main(String[] args) {
      XmlBeanFactory factory = new XmlBeanFactory
                             (new ClassPathResource("Beans.xml"));

      HelloWorld obj = (HelloWorld) factory.getBean("helloWorld");
      obj.getMessage();
   }
}

有以下兩個要點需要注意在主要程序中:

  1. 第一步是創建工廠對象,我們使用的框架API XmlBeanFactory() 來創建工廠bean,並使用ClassPathResource() API來加載在CLASSPATH中可用的bean配置文件。在API 需要 XmlBeanFactory() 創建和初始化所有對象。在配置文件中提到的 bean 類。

  2. 第二個步驟是用來使用創建的bean工廠對象的 getBean() 方法獲得所需的 bean。此方法使用bean 的 id 返回,最終可以構造到實際對象的通用對象。一旦有了對象,就可以使用這個對象調用任何類方法。

以下是bean配置文件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.yiibai.HelloWorld">
       <property name="message" value="Hello World!"/>
   </bean>

</beans>

一旦創建源和bean配置文件來完成,讓我們運行應用程序。如果一切順利,您的應用程序,這將打印以下信息:

Your Message : Hello World!