web.xml中監聽器如何順序加載
阿新 • • 發佈:2018-07-23
ati nbsp tom 解決方案 配置 創建 tco contex 監聽器
最近用到在Tomcat服務器啟動時自動加載數據到緩存,這就需要創建一個自定義的緩存監聽器並實現ServletContextListener接口,
並且在此自定義監聽器中需要用到Spring的依賴註入功能.
在web.xml文件中監聽器配置如下:
Xml代碼- <listener>
- <listener-class>
- org.springframework.web.context.ContextLoaderListener
- </listener-class>
- </listener>
- <listener>
- <listener-class>
- com.wsjiang.test.listener.CacheListener
- </listener-class>
- </listener>
上面的配置大意為,先配置spring監聽器,啟動spring,再配置一個緩存監聽器,
需求:我希望他們是順序執行
因為在緩存監聽器中需要 spring註入其他對象的實例,我期望在服務器加載緩存監聽器前加載Spring的監聽器,將其優先實例化。
但是實際運行發現他們並不是按照配置的順序 加載的。
對上面的問題我查詢了很多資料,找到了一種解決方案,希望能幫助遇到同類問題的朋友。
思路就是,既然listener的順序是不固定的,那麽我們可以整合兩個listener到一個類中,這樣就可以讓初始化的順序固定了。我就重寫了 org.springframework.web.context.ContextLoaderListener這個類的 contextInitialized方法.大致代碼如下:
- public class ContextLoaderListenerOverWrite extends ContextLoaderListener {
- private IStationService stationService;
- private IOSCache osCache;
- @Override
- /**
- * @description 重寫ContextLoaderListener的contextInitialized方法
- */
- public void contextInitialized(ServletContextEvent event) {
- super.contextInitialized(event);
- ApplicationContext applicationContext = WebApplicationContextUtils.getWebApplicationContext(event.getServletContext());
- //獲取bean
- stationService = (IStationService) applicationContext.getBean("stationService");
- osCache = (IOSCache) applicationContext.getBean("osCache");
- /*
- 具體地業務代碼
- */
- }
- }
web.xml的配置就由兩個listener變為一個:
Xml代碼- <listener>
- <listener-class>
- com.wsjiang.test.listener.ContextLoaderListenerOverWrite
- </listener-class>
- </listener>
這樣就能保證Spring的IOC容器先於自定義的緩存監聽器初始化,在緩存監聽器加載的時候就能使用依賴註入的實例.
web.xml中監聽器如何順序加載