接口 BeanFactory 和 ApplicationContext 都是用來從容器中獲取 Spring beans 的,可是,他們兩者有很大不一樣java
我看到過不少問 BeanFactory 和 ApplicationContext 不一樣點的問題,考慮到這,我應該使用前者仍是後者從 Spring 容器中獲取 beans 呢?請向下看
面試
這是一個很是簡單而又很複雜的問題,一般來講,Spring beans 就是被 Spring 容器所管理的 Java 對象,來看一個簡單的例子spring
package com.zoltanraffai; public class HelloWorld { private String message; public void setMessage(String message){ this.message = message; } public void getMessage(){ System.out.println("My Message : " + message); } }
在基於 XML 的配置中, beans.xml 爲 Spring 容器管理 bean 提供元數據app
Spring 容器負責實例化,配置和裝配 Spring beans,下面來看如何爲 IoC 容器配置咱們的 HelloWorld POJOthis
<?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.zoltanraffai.HelloWorld"> <property name = "message" value = "Hello World!"/> </bean> </beans>
如今,它已經被 Spring 容器管理了,接下來的問題是:咱們怎樣獲取它?翻譯
這是一個用來訪問 Spring 容器的 root 接口,要訪問 Spring 容器,咱們將使用 Spring 依賴注入功能,使用 BeanFactory 接口和它的子接口
特性:3d
package com.zoltanraffai; import org.springframework.core.io.ClassPathResource; import org.springframework.beans.factory.InitializingBean; import org.springframework.beans.factory.xml.XmlBeanFactory; public class HelloWorldApp{ public static void main(String[] args) { XmlBeanFactory factory = new XmlBeanFactory (new ClassPathResource("beans.xml")); HelloWorld obj = (HelloWorld) factory.getBean("helloWorld"); obj.getMessage(); } }
ApplicationContext 是 Spring 應用程序中的中央接口,用於嚮應用程序提供配置信息
它繼承了 BeanFactory 接口,因此 ApplicationContext 包含 BeanFactory 的全部功能以及更多功能!它的主要功能是支持大型的業務應用的建立
特性:code
package com.zoltanraffai; import org.springframework.core.io.ClassPathResource; import org.springframework.beans.factory.InitializingBean; import org.springframework.beans.factory.xml.XmlBeanFactory; public class HelloWorldApp{ public static void main(String[] args) { ApplicationContext context=new ClassPathXmlApplicationContext("beans.xml"); HelloWorld obj = (HelloWorld) context.getBean("helloWorld"); obj.getMessage(); } }
ApplicationContext 包含 BeanFactory 的全部特性,一般推薦使用前者。可是也有一些限制情形,好比移動應用內存消耗比較嚴苛,在那些情景中,使用更輕量級的 BeanFactory 是更合理的。然而,在大多數企業級的應用中,ApplicationContext 是你的首選。xml
翻譯自:Difference Between BeanFactory and ApplicationContext in Spring對象