`
yanzilee9292
  • 浏览: 541326 次
  • 性别: Icon_minigender_1
  • 来自: 成都
社区版块
存档分类
最新评论

在javascript中使用xpath

 
阅读更多

原文来自: https://developer.mozilla.org/en/Introduction_to_using_XPath_in_JavaScript

 

 

Introduction to using XPath in JavaScript

This document describes the interface for using XPath in JavaScript internally, in extensions, and from websites. Mozilla implements a fair amount of the DOM 3 XPath. Which means that XPath expressions can be run against both HTML and XML documents.

The main interface to using XPath is the evaluate function of the document object.

document.evaluate

This method evaluates XPath expressions against an XML based document (including HTML documents), and returns a XPathResultobject, which can be a single node or a set of nodes. The existing documentation for this method is located at document.evaluate, but it is rather sparse for our needs at the moment; a more comprehensive examination will be given below.

  1. var xpathResult = document.evaluate( xpathExpression, contextNode, namespaceResolver, resultType, result );  

Parameters

The evaluate function takes a total of five parameters:

  • xpathExpression: A string containing the XPath expression to be evaluated.
  • contextNode: A node in the document against which the xpathExpression should be evaluated, including any and all of its child nodes. The document node is the most commonly used.
  • namespaceResolver: A function that will be passed any namespace prefixes contained within xpathExpression which returns a string representing the namespace URI associated with that prefix. This enables conversion between the prefixes used in the XPath expressions and the possibly different prefixes used in the document. The function can be either:
    • Created by using the createNSResolver method of a XPathEvaluator object. You should use this virtually all of the time.
    • null, which can be used for HTML documents or when no namespace prefixes are used. Note that, if the xpathExpression contains a namespace prefix, this will result in a DOMException being thrown with the code NAMESPACE_ERR.
    • A custom user-defined function. See the Using a User Defined Namespace Resolver section in the appendix for details.
  • resultType: A constant that specifies the desired result type to be returned as a result of the evaluation. The most commonly passed constant isXPathResult.ANY_TYPE which will return the results of the XPath expression as the most natural type. There is a section in the appendix which contains a full list of the available constants. They are explained below in the section "Specifying the Return Type."
  • result: If an existing XPathResult object is specified, it will be reused to return the results. Specifying null will create a new XPathResult object.

Return Value

Returns xpathResult, which is an XPathResult object of the type specified in the resultType parameter. The XPathResult Interface is defined here.

Implementing a Default Namespace Resolver

We create a namespace resolver using the createNSResolver method of the document object.

  1. var nsResolver = document.createNSResolver( contextNode.ownerDocument == null ? contextNode.documentElement : contextNode.ownerDocument.documentElement );  

And then pass document.evaluate, the nsResolver variable as the namespaceResolver parameter.

Note: XPath defines QNames without a prefix to match only elements in the null namespace. There is no way in XPath to pick up the default namespace as applied to a regular element reference (e.g., p[@id='_myid'] for xmlns='http://www.w3.org/1999/xhtml'). To match default elements in a non-null namespace, you either have to refer to a particular element using a form such as ['namespace-uri()='http://www.w3.org/1999/xhtml' and name()='p' and @id='_myid'] (this approach works well for dynamic XPath's where the namespaces might not be known) or use prefixed name tests, and create a namespace resolver mapping the prefix to the namespace. Read more on how to create a user defined namespace resolver, if you wish to take the latter approach.

Notes

Adapts any DOM node to resolve namespaces so that an XPath expression can be easily evaluated relative to the context of the node where it appeared within the document. This adapter works like the DOM Level 3 method lookupNamespaceURI on nodes in resolving the namespaceURI from a given prefix using the current information available in the node's hierarchy at the time lookupNamespaceURI is called. Also correctly resolves the implicit xml prefix.

Specifying the Return Type

The returned variable xpathResult from document.evaluate can either be composed of individual nodes (simple types), or a collection of nodes (node-set types).

Simple Types

When the desired result type in resultType is specified as either:

  • NUMBER_TYPE - a double
  • STRING_TYPE - a string
  • BOOLEAN_TYPE - a boolean

We obtain the returned value of the expression by accessing the following properties respectively of the XPathResult object.

  • numberValue
  • stringValue
  • booleanValue
Example

The following uses the XPath expression count(//p) to obtain the number of <p> elements in a HTML document:

  1. var paragraphCount = document.evaluate( 'count(//p)', document, null, XPathResult.ANY_TYPE, null );  
  2.   
  3. alert( 'This document contains ' + paragraphCount.numberValue + ' paragraph elements' );  

Although JavaScript allows us to convert the number to a string for display, the XPath interface will not automatically convert the numerical result if the stringValueproperty is requested, so the following code will not work:

  1. var paragraphCount = document.evaluate('count(//p)', document, null, XPathResult.ANY_TYPE, null );  
  2.   
  3. alert( 'This document contains ' + paragraphCount.stringValue + ' paragraph elements' );  

Instead it will return an exception with the code NS_DOM_TYPE_ERROR.

Node-Set Types

The XPathResult object allows node-sets to be returned in 3 principal different types:

Iterators

When the specified result type in the resultType parameter is either:

  • UNORDERED_NODE_ITERATOR_TYPE
  • ORDERED_NODE_ITERATOR_TYPE

The XPathResult object returned is a node-set of matched nodes which will behave as an iterator, allowing us to access the individual nodes contained by using theiterateNext() method of the XPathResult.

Once we have iterated over all of the individual matched nodes, iterateNext() will return null.

Note however, that if the document is mutated (the document tree is modified) between iterations that will invalidate the iteration and the invalidIteratorStateproperty of XPathResult is set to true, and a NS_ERROR_DOM_INVALID_STATE_ERR exception is thrown.

Iterator Example
  1. var iterator = document.evaluate('//phoneNumber', documentNode, null, XPathResult.UNORDERED_NODE_ITERATOR_TYPE, null );  
  2.   
  3. try {  
  4.   var thisNode = iterator.iterateNext();  
  5.     
  6.   while (thisNode) {  
  7.     alert( thisNode.textContent );  
  8.     thisNode = iterator.iterateNext();  
  9.   }   
  10. }  
  11. catch (e) {  
  12.   dump( 'Error: Document tree modified during iteration ' + e );  
  13. }  
Snapshots

When the specified result type in the resultType parameter is either:

  • UNORDERED_NODE_SNAPSHOT_TYPE
  • ORDERED_NODE_SNAPSHOT_TYPE

The XPathResult object returned is a static node-set of matched nodes, which allows us to access each node through the snapshotItem(itemNumber) method of theXPathResult object, where itemNumber is the index of the node to be retrieved. The total number of nodes contained can be accessed through the snapshotLengthproperty.

Snapshots do not change with document mutations, so unlike the iterators the snapshot does not become invalid, but it may not correspond to the current document, for example the nodes may have been moved, it might contain nodes that no longer exist, or new nodes could have been added.

Snapshot Example
  1. var nodesSnapshot = document.evaluate('//phoneNumber', documentNode, null, XPathResult.ORDERED_NODE_SNAPSHOT_TYPE, null );  
  2.   
  3. for ( var i=0 ; i < nodesSnapshot.snapshotLength; i++ )  
  4. {  
  5.   dump( nodesSnapshot.snapshotItem(i).textContent );  
  6. }  
First Node

When the specified result type in the resultType parameter is either:

  • ANY_UNORDERED_NODE_TYPE
  • FIRST_ORDERED_NODE_TYPE

The XPathResult object returned is only the first found node that matched the XPath expression. This can be accessed through the singleNodeValue property of theXPathResult object. This will be null if the node set is empty.

Note that, for the unordered subtype the single node returned might not be the first in document order, but for the ordered subtype you are guaranteed to get the first matched node in the document order.

First Node Example
  1. var firstPhoneNumber = document.evaluate('//phoneNumber', documentNode, null, XPathResult.FIRST_ORDERED_NODE_TYPE, null );  
  2.   
  3. dump( 'The first phone number found is ' + firstPhoneNumber.singleNodeValue.textContent );  

The ANY_TYPE Constant

When the result type in the resultType parameter is specified as ANY_TYPE, the XPathResult object returned, will be whatever type that naturally results from the evaluation of the expression.

It could be any of the simple types (NUMBER_TYPE, STRING_TYPE, BOOLEAN_TYPE), but, if the returned result type is a node-set then it will only be anUNORDERED_NODE_ITERATOR_TYPE.

To determine that type after evaluation, we use the resultType property of the XPathResult object. The constant values of this property are defined in the appendix.

Examples

Within an HTML Document

The following code is intended to be placed in any JavaScript fragment within or linked to the HTML document against which the XPath expression is to be evaluated.

To extract all the <h2> heading elements in an HTML document using XPath, the xpathExpression is simply '//h2'. Where, // is the Recursive Descent Operator that matches elements with the nodeName h2 anywhere in the document tree. The full code for this is:

  1. var headings = document.evaluate('//h2', document, null, XPathResult.ANY_TYPE, null );  

Notice that, since HTML does not have namespaces, we have passed null for the namespaceResolver parameter.

Since we wish to search over the entire document for the headings, we have used the document object itself as the contextNode.

The result of this expression is an XPathResult object. If we wish to know the type of result returned, we may evaluate the resultType property of the returned object. In this case, that will evaluate to 4, an UNORDERED_NODE_ITERATOR_TYPE. This is the default return type when the result of the XPath expression is a node set. It provides access to a single node at a time and may not return nodes in a particular order. To access the returned nodes, we use the iterateNext() method of the returned object:

  1. var thisHeading = headings.iterateNext();  
  2.   
  3. var alertText = 'Level 2 headings in this document are:\n'  
  4.   
  5. while (thisHeading) {  
  6.   alertText += thisHeading.textContent + '\n';  
  7.   thisHeading = headings.iterateNext();  
  8. }  

Once we iterate to a node, we have access to all the standard DOM interfaces on that node. After iterating through all the h2 elements returned from our expression, any further calls to iterateNext() will return null.

Evaluating against an XML document within an Extension

The following uses an XML document located at chrome://yourextension/content/peopleDB.xml as an example.

  1. <?xml version="1.0"?>  
  2. <people xmlns:xul = "http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul" >  
  3.   <person>  
  4.     <name first="george" last="bush" />  
  5.     <address street="1600 pennsylvania avenue" city="washington" country="usa"/>  
  6.     <phoneNumber>202-456-1111</phoneNumber>  
  7.   </person>  
  8.   <person>  
  9.     <name first="tony" last="blair" />  
  10.     <address street="10 downing street" city="london" country="uk"/>  
  11.     <phoneNumber>020 7925 0918</phoneNumber>  
  12.   </person>  
  13. </people>  

To make the contents of the XML document available within the extension, we create an XMLHttpRequest object to load the document synchronously, the variable xmlDocwill contain the document as an XMLDocument object against which we can use the evaluate method

JavaScript used in the extensions xul/js documents.

  1. var req = new XMLHttpRequest();  
  2.   
  3. req.open("GET""chrome://yourextension/content/peopleDB.xml"false);   
  4. req.send(null);  
  5.   
  6. var xmlDoc = req.responseXML;         
  7.   
  8. var nsResolver = xmlDoc.createNSResolver( xmlDoc.ownerDocument == null ? xmlDoc.documentElement : xmlDoc.ownerDocument.documentElement);  
  9.   
  10. var personIterator = xmlDoc.evaluate('//person', xmlDoc, nsResolver, XPathResult.ANY_TYPE, null );  

Note

When the XPathResult object is not defined, the constants can be retreived in privileged code using Components.interfaces.nsIDOMXPathResult.ANY_TYPE(CI.nsIDOMXPathResult). Similarly, an XPathEvaluator can be created using:

  1. Components.classes["@mozilla.org/dom/xpath-evaluator;1"].createInstance(Components.interfaces.nsIDOMXPathEvaluator)  

Appendix

Implementing a User Defined Namespace Resolver

This is an example for illustration only. This function will need to take namespace prefixes from the xpathExpression and return the URI that corresponds to that prefix. For example, the expression:

'//xhtml:td/mathml:math'

will select all MathML expressions that are the children of (X)HTML table data cell elements.

In order to associate the 'mathml:' prefix with the namespace URI 'http://www.w3.org/1998/Math/MathML' and 'xhtml:' with the URI 'http://www.w3.org/1999/xhtml' we provide a function:

  1. function nsResolver(prefix) {  
  2.   var ns = {  
  3.     'xhtml' : 'http://www.w3.org/1999/xhtml',  
  4.     'mathml''http://www.w3.org/1998/Math/MathML'  
  5.   };  
  6.   return ns[prefix] || null;  
  7. }  

Our call to document.evaluate would then looks like:

  1. document.evaluate( '//xhtml:td/mathml:math', document, nsResolver, XPathResult.ANY_TYPE, null );  

Implementing a default namespace for XML documents

As noted in the Implementing a Default Namespace Resolver previously, the default resolver does not handle the default namespace for XML documents. For example with this document:

  1. <?xml version="1.0" encoding="UTF-8"?>  
  2. <feed xmlns="http://www.w3.org/2005/Atom">  
  3.     <entry />  
  4.     <entry />  
  5.     <entry />  
  6. </feed>  

doc.evaluate('//entry', doc, nsResolver, XPathResult.ANY_TYPE, null) will return an empty set, where nsResolver is the resolver returned bycreateNSResolver. Passing a null resolver doesn't work any better, either.

One possible workaround is to create a custom resolver that returns the correct default namespace (the Atom namespace in this case). Note that you still have to use some namespace prefix in your XPath expression, so that the resolver function will be able to change it to your required namespace. E.g.:

  1. function resolver() {  
  2.     return 'http://www.w3.org/2005/Atom';  
  3. }  
  4. doc.evaluate('//myns:entry', doc, resolver, XPathResult.ANY_TYPE, null)  

Note that a more complex resolver will be required if the document uses multiple namespaces.

An approach which might work better (and allow namespaces not to be known ahead of time) is described in the next section.

Using XPath functions to reference elements with a default namespace

Another approach to match default elements in a non-null namespace (and one which works well for dynamic XPath expressions where the namespaces might not be known), involves referring to a particular element using a form such as [namespace-uri()='http://www.w3.org/1999/xhtml' and name()='p' and @id='_myid']. This circumvents the problem of an XPath query not being able to detect the default namespace on a regularly labeled element.

Getting specifically namespaced elements and attributes regardless of prefix

If one wishes to provide flexibility in namespaces (as they are intended) by not necessarily requiring a particular prefix to be used when finding a namespaced element or attribute, one must use special techniques.

While one can adapt the approach in the above section to test for namespaced elements regardless of the prefix chosen (using local-name() in combination withnamespace-uri() instead of name()), a more challenging situation occurs, however, if one wishes to grab an element with a particular namespaced attribute in a predicate (given the absence of implementation-independent variables in XPath 1.0).

For example, one might try (incorrectly) to grab an element with a namespaced attribute as follows: var xpathlink = someElements[local-name(@*)="href" and namespace-uri(@*)='http://www.w3.org/1999/xlink'];

This could inadvertently grab some elements if one of its attributes existed that had a local name of "href", but it was a different attribute which had the targeted (XLink) namespace (instead of @href).

In order to accurately grab elements with the XLink @href attribute (without also being confined to predefined prefixes in a namespace resolver), one could obtain them as follows:

  1. var xpathEls = 'someElements[@*[local-name() = "href" and namespace-uri() = "http://www.w3.org/1999/xlink"]]'; // Grabs elements with any single attribute that has both the local name 'href' and the XLink namespace  
  2. var thislevel = xml.evaluate(xpathEls, xml, null, XPathResult.ANY_TYPE, null);  
  3. var thisitemEl = thislevel.iterateNext();  

XPathResult Defined Constants

 

Result Type Defined Constant Value Description
ANY_TYPE 0 A result set containing whatever type naturally results from evaluation of the expression. Note that if the result is a node-set then UNORDERED_NODE_ITERATOR_TYPE is always the resulting type.
NUMBER_TYPE 1 A result containing a single number. This is useful for example, in an XPath expression using the count() function.
STRING_TYPE 2 A result containing a single string.
BOOLEAN_TYPE 3 A result containing a single boolean value. This is useful for example, in an XPath expression using the not() function.
UNORDERED_NODE_ITERATOR_TYPE 4 A result node-set containing all the nodes matching the expression. The nodes may not necessarily be in the same order that they appear in the document.
ORDERED_NODE_ITERATOR_TYPE 5 A result node-set containing all the nodes matching the expression. The nodes in the result set are in the same order that they appear in the document.
UNORDERED_NODE_SNAPSHOT_TYPE 6 A result node-set containing snapshots of all the nodes matching the expression. The nodes may not necessarily be in the same order that they appear in the document.
ORDERED_NODE_SNAPSHOT_TYPE 7 A result node-set containing snapshots of all the nodes matching the expression. The nodes in the result set are in the same order that they appear in the document.
ANY_UNORDERED_NODE_TYPE 8 A result node-set containing any single node that matches the expression. The node is not necessarily the first node in the document that matches the expression.
FIRST_ORDERED_NODE_TYPE 9 A result node-set containing the first node in the document that matches the expression.

 

分享到:
评论

相关推荐

    javascript XPath 实现

    这篇博文“javascript XPath 实现”可能详细介绍了如何在JavaScript中使用XPath来查询和操作XML文档。 首先,XPath的基本概念包括路径表达式、轴、节点测试和谓语等。路径表达式用于描述XML文档中的节点路径,如"/...

    js中使用xpath来解析xml元素实用.pdf

    在JavaScript中使用XPath解析XML元素时,我们可以利用DOM(Document Object Model)接口提供的方法。在示例中提到了两种方法:`selectNodes` 和 `selectSingleNode`。这两个方法主要用于选取XML文档中的节点集合或...

    JS中常用的xpath特性

    需要注意的是,不同的浏览器可能对XPath的支持程度不同,因此在JavaScript中使用XPath时,可能需要进行兼容性检查。例如,Internet Explorer支持`selectNodes()`和`selectSingleNode()`方法,而其他浏览器如Firefox...

    javascript-xpath-latest.js

    使用了javascript库,默认使用的是ajaxslt,这个会比较慢,可以换成 javascript-xpath, 虽然比firefox还是慢,但也快多了,上面的例子只需要不 到1秒。换法很简单,如下: selenium = new DefaultSelenium...

    JavaScript

    4. **在JavaScript中使用XPath** - `document.evaluate()` 是JavaScript中执行XPath查询的主要方法。 - `XPathResult` 对象返回查询的结果,它可以是单个节点、节点列表或其他类型的数据。 - `NodeIterator` 和 `...

    JavaScript与Xpath

    JavaScript 是一种广泛使用的客户端脚本语言,主要用于增强网页的交互性和动态性,而 XPath 则是 XML Path Language 的简称,主要用来在 XML 文档中查找、选取节点。 JavaScript,由 Netscape 公司于1995年首次引入...

    Selenium中使用XPath.docx

    这将使Selenium在IE中使用Google提供的XPath库,从而提高效率。尽管如此,相比Firefox和其他支持原生XPath解析的浏览器,IE的执行速度仍然较慢。 在开发和调试过程中,Firefox的Firebug插件是一个非常有用的工具。...

    js中使用xpath来解析xml元素.docx

    ### 使用JavaScript与XPath解析XML元素 #### XPATH简介 XPath是一种在XML文档中查找信息的语言。它使用路径表达式来选择节点或集合节点,并且能够处理来自XML文档的数据,为构建XSLT这样的XML应用程序提供了强有力...

    xpath2.js:xpath.js-JavaScript中的开源XPath 2.0实现(与DOM无关)

    xpath2.js-XPath 2查询语言的纯JavaScript实现关于xpath2.js是JavaScript中与DOM无关的开源实现。 执行引擎使用规范规定的XML Schema 1.1数据类型进行操作。特征全面的语言支持通过自定义DOMAdapter使用XPath 2.0...

    HTML文档(W3CSchool).zip

    在W3CSchool的资料中,可能会讲解XPath的基本语法、轴、函数以及如何在JavaScript中使用XPath。 综上所述,这个压缩包涵盖了前端开发的核心技术,提供了丰富的学习资源。无论是初学者还是希望深入研究的开发者,都...

    XPathHelper_2.0.2.zip

    该压缩文件中的"xpath"可能是指XPath Helper插件的主文件,可能包括JavaScript代码、CSS样式表、图标以及其他必要的资源文件,这些文件共同构成了插件的核心功能。安装这个扩展通常只需将zip文件解压并拖放到Chrome...

    用XPath 表达式从 XML 文档中提取信息

    在实际应用中,XPath广泛用于XSLT(一种XML转换语言)和各种编程语言(如Java、Python、JavaScript)的XML处理库中,以方便地解析和操作XML数据。例如,在Python的`lxml`库中,可以使用`xpath()`方法执行XPath表达式...

    xpath-helper工具

    在JavaScript环境中,XPath Helper 可能会与DOM操作API一起使用。例如,`document.evaluate()`方法可以执行XPath查询,并返回一个迭代器,用于遍历匹配到的所有节点。此外,`document.createNSResolver()`可以创建...

    谷歌扩展程序xpath.rar

    在这个场景中,这个扩展程序允许用户在谷歌浏览器中直接使用XPath表达式来方便地检索和操作网页内容。 描述中的“可以在谷歌里使用xpath”进一步确认了这个扩展程序的功能,即它为谷歌浏览器提供了一种内置的机制,...

    XPath over HTML for MSIE-开源

    在JavaScript中使用XPath,通常需要调用DOM接口,如document.evaluate(),传入XPath表达式和上下文节点,返回一个迭代器,进一步遍历结果。对于Internet Explorer,由于其内建的XPath支持可能不完全,这样的开源库...

    ff30 firebug2.0.2 xpath checker0.4.4

    在这款工具中,开发者可以直接输入XPath表达式,然后在当前网页上进行测试,查看返回的结果。XPath Checker有助于快速检查XPath语句的正确性,对于处理XML数据或使用XPath进行网页自动化的人来说非常有用。 在提供...

    xpath.js:xpath.js-JavaScript中的开源XPath 2.0实现(与DOM无关)

    ------------------------------------XPath.js - Pure JavaScript implementation of XPath 2.0 parser and evaluator-...-----------------------------------关于: XPath.js是JavaScript中与DOM无关的开源XPath 2.0

    一个简单的爬虫demo使用了一些Xpath技术

    在实际项目中,我们可以使用Xpath抓取新闻标题、商品价格、用户评论等信息,但要注意遵循网站的robots.txt规则,尊重网站的爬虫策略,避免对服务器造成过大压力。 8. **文件解析**: 压缩包内的文件"pachong_test...

Global site tag (gtag.js) - Google Analytics