在前邊的文章中說明了,如何搭建一個spring的開發環境,簡單回顧下就是把spring的jar包導入工程中,如果是在javaWeb項目中是放在lib目錄下,然後在web.xml文件中進行配置,配置spring的配置文件的路徑,上篇文章中忘記貼spring的配置文件了,具體的配置文件入下,
<?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:aop="http://www.springframework.org/schema/aop" xmlns:tx="http://www.springframework.org/schema/tx" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.0.xsd http://www.springframework.org/schema/tx http://www.springframework.org/schema/tx/spring-tx-3.0.xsd http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop-3.0.xsd"> <bean id="address" class="com.cn.test.spring.Address"></bean> </beans>
從上邊的配置文件中可以看到,配置了一個bean,其ID為address,類的全限類名為com.cn.test.spring.Address。由於使用了spring那麼類的創建都由spring來管理,我們在java代碼中不需要使用new關鍵字創建一個對象,那麼要如何獲得一個由spring創建的類的對象呢,下面是本文的重點。
如何從spring環境中獲得一個實例對象
要從spring中獲得一個類的實例,可以通過spring的上下文ApplicationContext對象,ApplicationtContext是一個接口,也稱為IOC容器,另外還有BeanFactory容器。它有幾個比較重要的實現類,ClassPathXmlApplicationContext、FileSystemXmlApplicationContext、XmlWebApplicationContext
ClassPathXmlApplicationContext
從類路徑下讀取配置文件,即從src下讀取spring的配置文件,如下,
ClassPathXmlApplicationContext appContext = new ClassPathXmlApplicationContext( "spring-application.xml"); Address address = (Address) appContext.getBean("address");
從類路徑下讀取了spring-application.xml,然後獲得Address的實例對象
這種方式使用於在java項目下獲得IOC容器,並取得類的實例。
FileSystemXmlApplicationContext
從文件系統中讀取配置文件,這個類用的不多
XmlWebApplicationContext
在jsp或servlet中獲得applicationContext容器,如下是在servlet中獲得applicationContext,
@Override public void init(ServletConfig config) throws ServletException { // TODO Auto-generated method stub WebApplicationContext wac=WebApplicationContextUtils.getRequiredWebApplicationContext(config.getServletContext()); //XmlWebApplicationContext wac=(XmlWebApplicationContext) WebApplicationContextUtils.getRequiredWebApplicationContext(config.getServletContext());
Address address=(Address)wac.getBean("address"); address.printInfo(); }
上面的代碼是servlet中的init方法,在此方法中可以獲得在javaWeb環境下獲得IOC容器(前提是在web.xml中已經配置了spring)。上面兩種方式都可以使用。如果外部要使用IOC容器,則可以從這裡入手。
下面對在javaWeb環境下配置spring的環境做如下補充,
在Java項目中通過ClassPathXmlApplicationContext類手動實例化ApplicationContext容器是最常用的。但對於Web項目就不行了,Web項目的啟動是由相應的Web服務器負責的;所以,在Web項目中ApplicationContext容器的實例化工作最好交給Web服務器來完成。這裡以tomcat服務器為例。
在javaWeb環境下配置spring的環境有兩種方式,第一種是使用listener,另一種是使用servlet;這兩種方式都要使用配置文件,默認是類路徑下的application-context.xml,如果沒有,則必須使用<context-param>標簽指定,具體的方式可查看上篇文章。
使用listener
<listener> <listener-class>org.springframework.web.context.ContextLoaderListener</listener-class> </listener>
使用servlet
這種方式是為了兼顧Servlet2.3及以下規范的Servlet容器,在tomcat5中已經支持servlet2.4了,所以第一種方式是主流的,
<servlet> <servlet-name>context</servlet-name> <servlet-class>org.springframework.web.context.ContextLoaderServlet</servlet-class> <load-on-startup>1</load-on-startup> </servlet>
綜上是spring在java項目中的使用
有不正之處歡迎指出
謝謝