【死磕 Spring】----- IOC 之 獲取 Document 對象

来源:https://www.cnblogs.com/chenssy/archive/2018/09/19/9672476.html
-Advertisement-
Play Games

原文出自: "http://cmsblogs.com" 在 方法中做了兩件事情,一是調用 獲取 XML 的驗證模式,二是調用 獲取 Document 對象。上篇博客已經分析了獲取 XML 驗證模式( "【死磕Spring】 IOC 之 獲取驗證模型" ),這篇我們分析獲取 Document 對象。 ...


原文出自:http://cmsblogs.com

XmlBeanDefinitionReader.doLoadDocument() 方法中做了兩件事情,一是調用 getValidationModeForResource() 獲取 XML 的驗證模式,二是調用 DocumentLoader.loadDocument() 獲取 Document 對象。上篇博客已經分析了獲取 XML 驗證模式(【死磕Spring】----- IOC 之 獲取驗證模型),這篇我們分析獲取 Document 對象。

獲取 Document 的策略由介面 DocumentLoader 定義,如下:

public interface DocumentLoader {
    Document loadDocument(
            InputSource inputSource, EntityResolver entityResolver,
            ErrorHandler errorHandler, int validationMode, boolean namespaceAware)
            throws Exception;

}

DocumentLoader 中只有一個方法 loadDocument() ,該方法接收五個參數:

  • inputSource:載入 Document 的 Resource 源
  • entityResolver:解析文件的解析器
  • errorHandler:處理載入 Document 對象的過程的錯誤
  • validationMode:驗證模式
  • namespaceAware:命名空間支持。如果要提供對 XML 名稱空間的支持,則為true

該方法由 DocumentLoader 的預設實現類 DefaultDocumentLoader 實現,如下:

    public Document loadDocument(InputSource inputSource, EntityResolver entityResolver,
            ErrorHandler errorHandler, int validationMode, boolean namespaceAware) throws Exception {
        
        DocumentBuilderFactory factory = createDocumentBuilderFactory(validationMode, namespaceAware);
        if (logger.isDebugEnabled()) {
            logger.debug("Using JAXP provider [" + factory.getClass().getName() + "]");
        }
        DocumentBuilder builder = createDocumentBuilder(factory, entityResolver, errorHandler);
        return builder.parse(inputSource);
    }

首先調用 createDocumentBuilderFactory() 創建 DocumentBuilderFactory ,再通過該 factory 創建 DocumentBuilder,最後解析 InputSource 返回 Document 對象。

EntityResolver

通過 loadDocument() 獲取 Document 對象時,有一個參數 entityResolver ,該參數是通過 getEntityResolver() 獲取的。

getEntityResolver() 返回指定的解析器,如果沒有指定,則構造一個未指定的預設解析器。

    protected EntityResolver getEntityResolver() {
        if (this.entityResolver == null) {
            ResourceLoader resourceLoader = getResourceLoader();
            if (resourceLoader != null) {
                this.entityResolver = new ResourceEntityResolver(resourceLoader);
            }
            else {
                this.entityResolver = new DelegatingEntityResolver(getBeanClassLoader());
            }
        }
        return this.entityResolver;
    }

如果 ResourceLoader 不為 null,則根據指定的 ResourceLoader 創建一個 ResourceEntityResolver。如果 ResourceLoader 為null,則創建 一個 DelegatingEntityResolver,該 Resolver 委托給預設的 BeansDtdResolver 和 PluggableSchemaResolver 。

  • ResourceEntityResolver:繼承自 EntityResolver ,通過 ResourceLoader 來解析實體的引用。
  • DelegatingEntityResolver:EntityResolver 的實現,分別代理了 dtd 的 BeansDtdResolver 和 xml schemas 的 PluggableSchemaResolver。
  • BeansDtdResolver : spring bean dtd 解析器。EntityResolver 的實現,用來從 classpath 或者 jar 文件載入 dtd。
  • PluggableSchemaResolver:使用一系列 Map 文件將 schema url 解析到本地 classpath 資源

getEntityResolver() 返回 EntityResolver ,那這個 EntityResolver 到底是什麼呢?

If a SAX application needs to implement customized handling for external entities, it must implement this interface and register an instance with the SAX driver using the setEntityResolver method.

就是說:如果 SAX 應用程式需要實現自定義處理外部實體,則必須實現此介面並使用 setEntityResolver() 向 SAX 驅動器註冊一個實例。

如下:

   public class MyResolver implements EntityResolver {
     public InputSource resolveEntity (String publicId, String systemId){
       if (systemId.equals("http://www.myhost.com/today")){
         MyReader reader = new MyReader();
         return new InputSource(reader);
       } else {
            // use the default behaviour
            return null;
       }
     }
   }

我們首先將 spring-student.xml 文件中的 XSD 聲明的地址改掉,如下:

spring-201806061001

如果我們再次運行,則會報如下錯誤:

spring-201806071001

從上面的錯誤可以看到,是在進行文檔驗證時,無法根據聲明找到 XSD 驗證文件而導致無法進行 XML 文件驗證。在(【死磕Spring】----- IOC 之 獲取驗證模型)中講到,如果要解析一個 XML 文件,SAX 首先會讀取該 XML 文檔上的聲明,然後根據聲明去尋找相應的 DTD 定義,以便對文檔進行驗證。預設的載入規則是通過網路方式下載驗證文件,而在實際生產環境中我們會遇到網路中斷或者不可用狀態,那麼就應用就會因為無法下載驗證文件而報錯。

EntityResolver 的作用就是應用本身可以提供一個如何尋找驗證文件的方法,即自定義實現。

介面聲明如下:

public interface EntityResolver {
    public abstract InputSource resolveEntity (String publicId,String systemId) 
        throws SAXException, IOException;
}

介面方法接收兩個參數 publicId 和 systemId,並返回 InputSource 對象。兩個參數聲明如下:

  • publicId:被引用的外部實體的公共標識符,如果沒有提供,則返回null
  • systemId:被引用的外部實體的系統標識符

這兩個參數的實際內容和具體的驗證模式有關係。如下

  • XSD 驗證模式
  • publicId:null
  • systemId:http://www.springframework.org/schema/beans/spring-beans.xsd
  • DTD 驗證模式
  • publicId:-//SPRING//DTD BEAN 2.0//EN
  • systemId:http://www.springframework.org/dtd/spring-beans.dtd

如下:

spring-201806071002

spring-201806071003

我們知道在 Spring 中使用 DelegatingEntityResolver 為 EntityResolver 的實現類,resolveEntity() 實現如下:

    public InputSource resolveEntity(String publicId, @Nullable String systemId) throws SAXException, IOException {
        if (systemId != null) {
            if (systemId.endsWith(DTD_SUFFIX)) {
                return this.dtdResolver.resolveEntity(publicId, systemId);
            }
            else if (systemId.endsWith(XSD_SUFFIX)) {
                return this.schemaResolver.resolveEntity(publicId, systemId);
            }
        }
        return null;
    }

不同的驗證模式使用不同的解析器解析,如果是 DTD 驗證模式則使用 BeansDtdResolver 來進行解析,如果是 XSD 則使用 PluggableSchemaResolver 來進行解析。

BeansDtdResolver 的解析過程如下:

    public InputSource resolveEntity(String publicId, @Nullable String systemId) throws IOException {
        if (logger.isTraceEnabled()) {
            logger.trace("Trying to resolve XML entity with public ID [" + publicId +
                    "] and system ID [" + systemId + "]");
        }
        if (systemId != null && systemId.endsWith(DTD_EXTENSION)) {
            int lastPathSeparator = systemId.lastIndexOf('/');
            int dtdNameStart = systemId.indexOf(DTD_NAME, lastPathSeparator);
            if (dtdNameStart != -1) {
                String dtdFile = DTD_NAME + DTD_EXTENSION;
                if (logger.isTraceEnabled()) {
                    logger.trace("Trying to locate [" + dtdFile + "] in Spring jar on classpath");
                }
                try {
                    Resource resource = new ClassPathResource(dtdFile, getClass());
                    InputSource source = new InputSource(resource.getInputStream());
                    source.setPublicId(publicId);
                    source.setSystemId(systemId);
                    if (logger.isDebugEnabled()) {
                        logger.debug("Found beans DTD [" + systemId + "] in classpath: " + dtdFile);
                    }
                    return source;
                }
                catch (IOException ex) {
                    if (logger.isDebugEnabled()) {
                        logger.debug("Could not resolve beans DTD [" + systemId + "]: not found in classpath", ex);
                    }
                }
            }
        }
or wherever.
        return null;
    }

從上面的代碼中我們可以看到載入 DTD 類型的 BeansDtdResolver.resolveEntity() 只是對 systemId 進行了簡單的校驗(從最後一個 / 開始,內容中是否包含 spring-beans),然後構造一個 InputSource 並設置 publicId、systemId,然後返回。

PluggableSchemaResolver 的解析過程如下:

    public InputSource resolveEntity(String publicId, @Nullable String systemId) throws IOException {
        if (logger.isTraceEnabled()) {
            logger.trace("Trying to resolve XML entity with public id [" + publicId +
                    "] and system id [" + systemId + "]");
        }

        if (systemId != null) {
            String resourceLocation = getSchemaMappings().get(systemId);
            if (resourceLocation != null) {
                Resource resource = new ClassPathResource(resourceLocation, this.classLoader);
                try {
                    InputSource source = new InputSource(resource.getInputStream());
                    source.setPublicId(publicId);
                    source.setSystemId(systemId);
                    if (logger.isDebugEnabled()) {
                        logger.debug("Found XML schema [" + systemId + "] in classpath: " + resourceLocation);
                    }
                    return source;
                }
                catch (FileNotFoundException ex) {
                    if (logger.isDebugEnabled()) {
                        logger.debug("Couldn't find XML schema [" + systemId + "]: " + resource, ex);
                    }
                }
            }
        }
        return null;
    }

首先調用 getSchemaMappings() 獲取一個映射表(systemId 與其在本地的對照關係),然後根據傳入的 systemId 獲取該 systemId 在本地的路徑 resourceLocation,最後根據 resourceLocation 構造 InputSource 對象。

映射表如下(部分):

spring-201806071004


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 1、解決HTML中的編碼問題 2、列表的使用 3、HTML中的表格標記 4、表單標記 ...
  • 一.Bootstrap 概述Bootstrap 是由 Twitter 公司(全球最大的微博)的兩名技術工程師研發的一個基於HTML、CSS、JavaScript 的開源框架。該框架代碼簡潔、視覺優美,可用於快速、簡單地構建基於 PC 及移動端設備的 Web 頁面需求。2010 年 6 月,Twitt ...
  • 原文出自: "http://cmsblogs.com" 獲取 Document 對象後,會根據該對象和 Resource 資源對象調用 方法,開始註冊 BeanDefinitions 之旅。如下: 首先調用 方法實例化 BeanDefinitionDocumentReader 對象,然後獲取統計前 ...
  • 關鍵字:架構設計 軟體質量保證 資料庫完整性 1、資料庫完整性討論 有許多同學認為開發階段沒必要建立外鍵約束,更不用建立檢查約束,因為會影響單表數據寫入做測試。 這個想法是非常錯誤的,不規範的,不專業的。 首先影不影響測試是無稽之談,說明這類同學開發時不會寫單元測試,通過野路子來測試,質量不保。 然 ...
  • 本地部署時代 在軟體還是“本地部署(on-premise)”的時候,SaaS的版圖被大型玩家把持著,幾乎所有的垂直領域(營銷、支持、銷售、人力)都被微軟、SAP等大公司的解決方案占據。那時候的用戶並沒有什麼“軟體棧”可供選擇。 第一代SaaS冠軍 隨著互聯網的不斷普及,SaaS模式開始發揮作用。第一 ...
  • sleep(休眠) 和 wait(等待) 方法是 Java 多線程中常用的兩個方法,它們有什麼區別及一些該註意的地方有哪些呢?下麵給大家一一分解。 區別1:使用限制 使用 sleep 方法可以讓讓當前線程休眠,時間一到當前線程繼續往下執行,在任何地方都能使用,但需要捕獲 InterruptedExc ...
  • 軟體構造工具包括程式編輯器,編譯器,代碼生成器,解釋器和調試器 ...
  • lambda 表達式 剖析 大前提:捕獲列表裡變數的確定時機。 捕獲列表和參數列表有區別,捕獲列表裡的變數,是在捕獲的時間點就確定了,而不是在lambda調用時確定,參數列表是在調用時才確定。所以當捕獲了一個int i,i=12,然後在lambda後面的代碼又改變i為22,但是當調用lambda的時 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...