search
Homephp教程PHP开发Processing XML in the browser using jQuery
Processing XML in the browser using jQueryDec 15, 2016 am 09:38 AM
xml processing

XML is the SGML of the Web, but it hasn't become as visible on the Web as the XML community has. XML's most prominent achievement on the Web -- XHTML -- has been entangled in politics and committee design, and other ambitious, technically sound specifications -- such as XForms and SVG -- have been plagued by low usage. Sometimes XML succeeds on the Web in unexpected ways, including the popularity of XML-formatted Web feeds (such as RSS types and Atom).

Commonly used abbreviations

Ajax: Asynchronous JavaScript + XML

API: Application Programming Interface

CSS: Cascading Style Sheets

DOM: Document Object Model

HTML: Hypertext Markup Language

RSS: Really Simple Aggregation

SGML: Standard Generalized Markup Language

SVG: Scalable Vector Graphics

URI: Uniform Resource Identifier

URL: Uniform Resource Locator

W3C: World Wide Web Consortium

XHTML: Extensible Hypertext Markup Language

XML: Extensible Markup Language

Like other technologies on the Web, XML on the Web is browser-centric, but most discussions about processing XML on the Web focus on the server side. In the developerWorks Firefox and XML series, I cover several ways to use XML in the Firefox browser. Unfortunately, processing XML across browsers is even stranger than processing HTML across browsers, which is part of the reason why so much XML processing on the web sticks to the relatively safe realm of the server-side.

Many dynamic HTML developers are tired of the cross-browser pain and quirks of scripting between browsers. The emergence of several excellent JavaScript libraries has made the life of developers easier. One of the most popular of these libraries is jQuery, which has been covered in several articles on developerWorks. If you know how to get around these huge pitfalls, you can also use jQuery to process XML. In this article, I'll show you how to use jQuery and XML together in a real-world scenario, how to use Atom web feeds, introduce a practical pattern for working with XML in jQuery, and solve unfortunate real-world problems. You need a basic understanding of XML, XML namespaces, HTML, JavaScript, and the jQuery library.

XML namespace issues

I'll cover the most serious issues first. jQuery doesn't completely solve the XML namespace problem. This well-known problem has been around for a long time, and various solutions have been tried with unsatisfactory results. The ideal solution might be to leverage jQuery's support for CSS Level 3 namespace selectors, which will add a new selector like this:

@namespace ex url(http://example.com);
ex|quote {font-weight: bold}

The first line is the prefix declaration of the http://example.com namespace, and the second line is a type selector using the new namespace component, which is separated by a vertical bar symbol. Declared prefixes and local names. Unfortunately, jQuery doesn't support this approach, so various approaches have been taken to deal with namespace issues.

The Importance of Prefixes

One of the most common hacks is to ignore the namespace when handling XML and namespaces in jQuery, and choose the full qname (prefix and local part).

$(xml).find("x\:quote").each(function() {
   //process each node
 });

This code selects through jQuery’s node name concept, that is, the DOM nodeName attribute. It contains a colon, which is a reserved symbol for jQuery selectors and must be escaped with a backslash. Backslashes are reserved symbols for JavaScript scripts and must be in pairs. This hack doesn't work in namespace equivalent documents using different prefixes.
Using attribute filters

It is said that some people have successfully used a variation of the following method, that is, using the jQuery attribute filter on the pseudo attribute nodeName:

$(xml).find("[nodeName=x:quote]") .each(function() {
   //process each node
 });

When using jQuery versions prior to 1.3.x, you need to add @ in front of the nodeName. However, doing so suffers from the same basic problem as the approach mentioned in the previous section, The importance of masquerading prefixes. It will break many real namespace scenarios. I tried the following variation, which makes more sense:

$(xml).find("[namespaceURI='http://example.com'][localName='quote']")
 .each(function () {
  //process each node
 });

Unfortunately this doesn’t work.

Looking for a good plugin

这种混乱不完全是 jQuery 的错。DOM 为寻找节点提供了有效的方法:getElementsByTagName 和 getElementsByTagNameNS。后者旨在感知名称空间,接受名称空间的 URI 并忽略前缀,但遗憾的是,尽管其他浏览器都支持它,但 Microsoft® Internet Explorer® 除外。然而,jQuery 的目的是处理此类浏览器问题,以便消除人们的此类烦恼。一种可能的、牵强的理由是,jQuery 很大程度上以 CSS 作为其选择器的基础,并且即使是 W3C CSS Level 3 名称空间选择器也无法使它通过工作草案阶段。jQuery bug #155,“Get Namespaced Elements in XML Documents”,涵盖了这些问题,但是问题在 3 年之内没有得到解决。

Ryan Kelly 遇到此问题并做了一次大胆的尝试,为 XML Namespace Selector 创建了一个 jQuery 插件 jquery.xmlns.js。它试图支持以下代码。

$.xmlns["ex"] = "http://example.com";
$(doc).find("ex|quote").each(...);

第一行是对该插件的全局名称空间声明 — 由于底层 jQuery 机制的局限性。它的确用典型的 jQuery 用语为名称空间范围提供一个非全局块。 遗憾的是,我在使用这种扩展时成败参半。我希望它能够改变,并最终找到合适的方法进入 jQuery 。

一个更简单的插件

我最终选择的解决方案是创建一个简单插件,它不使用 jQuery 选择器做任何特殊工作,而是添加一个新的过滤器。您可以直接传递一个名称空间和本地名称到该过滤器,从而使结果集与节点匹配。请您按以下方法使用它:

$(xml).find('*').ns_filter('http://example.com', 'quote').each(function(){
 .each(function() {
  //process each node
 });

ns_filter 是我写的特殊过滤器。执行一个单独的 find('*') 的需求看起来可能不优雅,更简单的变化可能是:

$(xml).find('quote').ns_filter('http://example.com').each(function(){
 .each(function() {
  //process each node
 });

然而,这样做并不可行,因为您不能相信 jQuery 能够以名称空间中立(即作为本地名称选择器)的方式来处理查询,例如 find('quote')。我的过滤器实现将在下一节提供,作为安装 jQuery 来处理 XML 的一般系统的一部分。我在 Mac OS X Snow Leopard 操作系统下的 Firefox 3.5.5 和 Safari 4.0.4 ,以及 Windows® XP 操作系统最新的 Internet Explore 7 和 Internet Explorer 8 浏览器中对它进行了测试。

jQuery XML 工作台

名称空间问题只是以下事实的症状:说到底,jQuery 是一个 HTML 工具。我发现,使用 jQuery 处理 XML 最实用的方式就是为 XML 文档创建一个 HTML 工作台,通过可靠地跨浏览器方法引用脚本,然后建立需要的暂时性解决方案,例如针对 XML 名称空间问题的解决方案。您可以用工作台模式准备并测试您基于浏览器的 XML 处理的模式和技术,您甚至还可以把工作台作为基于浏览器的应用程序本身的基础。

清单 1 (quotes.html)是 HTML 使用工作台的简单例子。它能够动态地从 XML 文件加载引用。

清单 1 (quotes.html). 使用 jQuery XML 工作台的 HTML 例子


    


        jQuery XML workbench
        <script></script>
        <script></script>
        <script></script>
        
    
    
    
    

A few quotations for your enjoyment


    

      

    You need the script element to automatically load jQuery, workbench JavaScript, and your application-specific scripts. You also need a link element to identify the XML file used by target_XML. If you need to work with multiple XML files, it's easy to extend your workbench setup. Listing 2 (workbench.js) is the workbench script.

    Listing 2 (workbench.js). jQuery XML Workbench JavaScript

    /* 
    workbench.js
    */
    // The jQuery hook invoked once the DOM is fully ready
    $(document).ready(function() {
       //Get the target XML file contents (Ajax call)
      var fileurl = $("link[rel='target_XML']").attr('href');
     $.ajax({
      url: fileurl,
      type: "GET",
      dataType: "xml",
    complete: xml_ready,
    error: error_func
     });
    });

    // Callback for when the Ajax call results in an error
    function error_func(result ) {
     alert(result.responseText);
    } 

    //ns_filter, a jQuery extension for (this).filter(function() {
      var domnode =$(this)[0];
      return (domnode.namespaceURI ==namespaceURI &&domnode.localName ==localName);
     });
     };

    } )(jQuery);

    The workbench code has been well commented, but there are a few things to note here. Namespace filter is the last function in the listing. The first function is a normal jQuery hook that is called after the homepage DOM is fully prepared. It retrieves the URL for the target XML and calls Ajax to load the file. Note that dataType: "xml" instructs the Ajax mechanism to parse the XML response file. If an error occurs, it calls the error_func callback function, otherwise it calls the xml_ready callback function, which is provided by the user for application behavior. This callback function uses the result schema from which you can retrieve XML using the responseXML attribute. Listing 3 (quotes.js) is the application code in this case.


    Listing 3. (quotes.js) Application code for dynamic quote viewer

    /*

    quotes.js

    */

    function xml_ready(result){
     var target area for inserting data is clear
    ').each(function(){
      var quote_text =$(this).text()

      $('

  1. ')
       .html(quote_text)
       .appendTo('#update -target ol');
     });//close each(}


    Listing 4 (quotes1.xml) is an XML file with a quote list.

    Listing 4. (quotes1.xml) with a quote list XML file

    Sticks and stones will break my bones, but names will never hurt me.

    The beginning of wisdom is to call things by their right names.

    Better to see the face than to hear the name. :quotes>

    Please note that I used the x prefix, which means that, in theory, I could try the prefix-based hack mentioned above, but if I do, it will break. Replace it with the quotes file from Listing 5 (quotes2.xml), which is the exact same namespace as Listing 4, and the same Canonical XML.

    Listing 5. (quotes2.xml) An XML file equivalent to Listing 4, with a quote list

     Words have meaning and names have power

     Sticks and stones will break my bones, but names will never hurt me.> ;

    The beginning of wisdom is to call things by their right names.

    Better to see the face than to hear the name. ;

    如果您替代 清单 1 中的 quotes2.xml,您将发现它还起作用,这是一个针对名称空间的重要测试。图 1 是 quotes.html 的浏览器显示。

    图 1. 使用 jQuery XML 工作台展示的引用

    Atom XML 的动态显示

    一旦您开始在 jQuery 中进行 XML 处理,您就能够处理更多有用的 XML 格式,包括 Web 提要格式,例如 RSS 和 Atom。在此部分我将使用 jQuery XML 工作台来显示来自一个 Web 页面上 Atom 提要的最新条目。清单 6 是 HTML 页面。

    清单 6. (home.html)托管动态 XML 的 Web 页面


        


            jQuery XML workbench
            <script></script>
            <script></script>
            <script></script>
            
        
        
        
        

    Caesar's home page


        

    GALLIA est omnis divisa in partes tres, quarum unam incolunt Belgae,
      aliam Aquitani, tertiam qui ipsorum lingua Celtae, nostra Galli
      appellantur. Hi omnes lingua, institutis, legibus inter se differunt.
      

      

    Gallos ab Aquitanis Garumna flumen, a Belgis Matrona et Sequana dividit.
      

      

    Horum omnium fortissimi sunt Belgae, propterea quod a cultu atque
      humanitate provinciae longissime absunt, minimeque ad eos mercatores saepe
      commeant atque ea quae ad effeminandos animos pertinent important,
      proximique sunt Germanis, qui trans Rhenum incolunt, quibuscum continenter
      bellum gerunt. Qua de causa Helvetii quoque reliquos Gallos virtute
      praecedunt, quod fere cotidianis proeliis cum Germanis contendunt, cum aut 
      suis finibus eos prohibent aut ipsi in eorum finibus bellum gerunt.

        

    My Web feed


        

        

    清单 7(atom1.xml)是引用的 Atom 文件。

    清单 7. (atom1.xml)Atom 文件示例


       xml:lang="en"
       xml:base="http://www.example.org">
     http://www.example.org/myfeed
     

    My Simple Feed
     2005-07-15T12:00:00Z
     
     
     Uche Ogbuji
     
      http://www.example.org/entries/1
      A simple blog entry
      
      2005-07-14T12:00:00Z
      This is a simple blog entry
     

     
      http://www.example.org/entries/2
      
      
      2005-07-15T12:00:00Z
      This is simple blog entry without a title
     


    清单 8 是 home.js,包含了加载到工作台上的动态应用程序代码。

    清单 8. (home.js)主页 Web 提要显示的应用程序代码

    /* 
    home.js
    */
    var ATOM_NS = 'http://www.w3.org/2005/Atom';

    function xml_ready(result){
      var xml = result.responseXML;
        //Make sure the target area for inserting data is clear
        $("#update-target").empty();
      $(xml).find('*').ns_filter(ATOM_NS, 'entry').each(function(){
        var title_elem = $(this).find('*').ns_filter(ATOM_NS, 'title').clone();
        var link_text = $(this).find('[rel="alternate"]')
                  .ns_filter(ATOM_NS, 'link')
                  .attr('href');
        var summary_elem = $(this).find('*').ns_filter(ATOM_NS, 'summary').clone();

        //Deal with the case of a missing title
        if (!title_elem.text()){
          title_elem = '[No title]';
        } 

        //Deal with the case where rel='alternate' is omitted 
        if (!link_text){
          link_text = $(this).find('*')
                    .ns_filter(ATOM_NS, 'link')
                    .not('[rel]')
                    .attr('href');
        } 

        //Update the target area with the entry information
        $('

    ')
          .append(
            $('')
            .append(title_elem)
          )
          .append(' - ')
          .append(summary_elem.clone())
          .fadeIn('slow') //bonus animation
          .appendTo('#update-target');
      }); //close each(
    }

    Again, I've commented this file, but there are a few points worth highlighting. Atom has many acceptable element variations, most of which are optional. This means you have to handle exceptions. I'll cite two common exceptions: optional rel="alternate" on a required link; and the fact that the title is optional. As you can see, jQuery provides tremendous flexibility in handling these situations, so you should be able to handle even this irregular XML format. In some cases I copied the structure directly from XML to the main document (hosted HTML). This requires great care, and you'll notice that I use the clone() method to make sure that I don't graft nodes from one document to another, otherwise a DOM exception WRONG_DOCUMENT_ERR will be emitted. Additionally, I used the jQuery method fadeIn so that the added content slowly disappears from view. Figure 2 is the browser display of home.html.

    The above is how to use jQuery to process XML in the browser. For more related articles, please pay attention to the PHP Chinese website (www.php.cn)!


  2. Statement
    The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
    能否用PowerPoint打开XML文件能否用PowerPoint打开XML文件Feb 19, 2024 pm 09:06 PM

    XML文件可以用PPT打开吗?XML,即可扩展标记语言(ExtensibleMarkupLanguage),是一种被广泛应用于数据交换和数据存储的通用标记语言。与HTML相比,XML更加灵活,能够定义自己的标签和数据结构,使得数据的存储和交换更加方便和统一。而PPT,即PowerPoint,是微软公司开发的一种用于创建演示文稿的软件。它提供了图文并茂的方

    如何使用Python正则表达式进行XML处理如何使用Python正则表达式进行XML处理Jun 23, 2023 am 09:34 AM

    在日常的数据处理场景中,不同格式的数据处理需要不同的解析方式。对于XML格式的数据,我们可以使用Python中的正则表达式进行解析。本文将介绍使用Python正则表达式进行XML处理的基本思路和方法。XML基础介绍XML(ExtensibleMarkupLanguage)是一种用于描述数据的标记语言,它提供了一种结构化的方法来表示数据。XML的一个重要特

    PHP API开发中的如何处理XML和JSON格式数据PHP API开发中的如何处理XML和JSON格式数据Jun 17, 2023 pm 06:29 PM

    在现代软件开发中,许多应用程序都需要通过API(应用程序接口)进行交互,允许不同的应用程序之间进行数据共享和通信。在PHP开发中,API是一种常见的技术,让PHP开发人员能够与其他系统集成,并使用不同的数据格式。在本文中,我们将探讨如何在PHPAPI开发中处理XML和JSON格式数据。XML格式数据处理XML(可扩展标记语言)是一种常用的数据格式,用于在不

    完全教程:如何使用php扩展SimpleXML处理XML数据完全教程:如何使用php扩展SimpleXML处理XML数据Jul 30, 2023 am 10:29 AM

    完全教程:如何使用PHP扩展SimpleXML处理XML数据简介:在Web开发中,处理XML数据是一个常见的任务。PHP提供了许多内置的XML处理工具,其中最常用的是SimpleXML扩展。SimpleXML提供了一种简单而直观的方式来解析和操作XML数据。本教程将介绍如何使用SimpleXML扩展来处理XML数据,包括解析XML、访问和修改节点,以及将XM

    深入理解Java开发中的XML处理技巧深入理解Java开发中的XML处理技巧Nov 20, 2023 am 08:51 AM

    深入理解Java开发中的XML处理技巧在现代软件开发中,XML(可扩展标记语言)已成为一种非常常见的数据交换和配置文件格式。Java作为一种广泛使用的编程语言,提供了丰富的API和工具来处理XML文件。在本文中,我们将深入探讨Java开发中的XML处理技巧,以帮助开发人员更好地理解和应用XML。一、XML的基本概念XML是一种用于描述数据的标记语言,它使用标

    如何在Java中解析和处理XML表单?如何在Java中解析和处理XML表单?Aug 11, 2023 pm 08:25 PM

    如何在Java中解析和处理XML表单?XML(eXtensibleMarkupLanguage)是一种常用的数据交换格式,广泛应用于各种场景中。在Java程序中,解析和处理XML是一项常见的任务。本文将介绍如何使用Java语言解析和处理XML表单,并提供相应的代码示例。首先,我们需要选择一个适合的XML库来解析和处理XML。在Java中,有许多开源的XM

    Java XML 处理的未来:探索最新技术Java XML 处理的未来:探索最新技术Mar 09, 2024 am 09:30 AM

    新一代XML处理技术传统的XML处理方法需要手动的解析和处理XML文档,这往往很耗时且容易出错。然而,最近的进展带来了新的XML处理技术,旨在简化和自动化该过程。这些技术包括:1.StAX(流式apiforXML)StAX是一种基于流的XML处理API,它允许应用程序逐事件地处理XML文档。StAX能够以低内存开销有效地处理大型XML文档。XMLStreamReaderreader=XMLInputFactory.newInstance().createXMLStreamReader(newFi

    使用PHP和XML来解析和处理数据使用PHP和XML来解析和处理数据Jul 28, 2023 pm 12:25 PM

    使用PHP和XML来解析和处理数据随着互联网的不断发展,数据的处理变得越来越重要。而XML作为一种标准的数据格式,被广泛应用于数据交换和存储。在PHP中,我们可以使用内置的XML扩展来解析和处理XML数据。PHP提供了DOM扩展和SimpleXML扩展来处理XML数据。DOM扩展是一种标准的XML处理方法,通过构建整个XML文档的模型树来解析和操作XML数据

    See all articles

    Hot AI Tools

    Undresser.AI Undress

    Undresser.AI Undress

    AI-powered app for creating realistic nude photos

    AI Clothes Remover

    AI Clothes Remover

    Online AI tool for removing clothes from photos.

    Undress AI Tool

    Undress AI Tool

    Undress images for free

    Clothoff.io

    Clothoff.io

    AI clothes remover

    AI Hentai Generator

    AI Hentai Generator

    Generate AI Hentai for free.

    Hot Tools

    EditPlus Chinese cracked version

    EditPlus Chinese cracked version

    Small size, syntax highlighting, does not support code prompt function

    VSCode Windows 64-bit Download

    VSCode Windows 64-bit Download

    A free and powerful IDE editor launched by Microsoft

    ZendStudio 13.5.1 Mac

    ZendStudio 13.5.1 Mac

    Powerful PHP integrated development environment

    MantisBT

    MantisBT

    Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

    SublimeText3 Chinese version

    SublimeText3 Chinese version

    Chinese version, very easy to use