在XPath中返回具有特定条件的相同XML文档结构
本文关键字:XML 文档 结构 特定条件 XPath 返回 | 更新日期: 2023-09-27 18:25:02
我在页面中有类似于xml的xml文档http://www.w3schools.com/xml/xml_xpath.asp
<?xml version="1.0" encoding="UTF-8"?>
<bookstore>
<book category="cooking">
<title lang="en">Everyday Italian</title>
<author>Giada De Laurentiis</author>
<year>2005</year>
<price>30.00</price>
</book>
<book category="children">
<title lang="en">Harry Potter</title>
<author>J K. Rowling</author>
<year>2005</year>
<price>29.99</price>
</book>
<book category="web">
<title lang="en">XQuery Kick Start</title>
<author>James McGovern</author>
<author>Per Bothner</author>
<author>Kurt Cagle</author>
<author>James Linn</author>
<author>Vaidyanathan Nagarajan</author>
<year>2003</year>
<price>49.99</price>
</book>
<book category="web">
<title lang="en">Learning XML</title>
<author>Erik T. Ray</author>
<year>2003</year>
<price>39.95</price>
</book>
</bookstore>
问题是如何返回具有与某个值对应的元素的文档?应该如何编写XPath或XQuery命令?
例如,搜索标题包含"Learning",则返回的xml文档应为:
<?xml version="1.0" encoding="UTF-8"?>
<bookstore>
<book category="web">
<title lang="en">Learning XML</title>
<author>Erik T. Ray</author>
<year>2003</year>
<price>39.95</price>
</book>
</bookstore>
如何得到这个结果?
另一个问题是如何在忽略字符大小写的情况下进行搜索,所以"learNING"应该返回相同的结果?
使用XQuery可以执行以下操作:
<bookstore>
{
for $d in //book[contains(lower-case(title),'learning')]
return $d
}
</bookstore>
Xpathtester Demo
请注意,将只有一个<bookstore>
包装返回的所有匹配的<book>
元素,并注意在匹配过程中使用lower-case()
函数"忽略"书名的大小写。
使用XML Linq
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Xml;
using System.Xml.Linq;
namespace ConsoleApplication1
{
class Program
{
const string FILENAME = @"c:'temp'test.xml";
static void Main(string[] args)
{
XDocument doc = XDocument.Load(FILENAME);
List<XElement> book = doc.Descendants("book").Where(x => x.Element("title").Value.Contains("Learn")).ToList();
XDocument filteredDoc = XDocument.Parse("<?xml version='"1.0'" encoding='"UTF-8'"?><bookstore></bookstore>");
XElement root = (XElement)filteredDoc.FirstNode;
root.Add(book);
}
}
}
for $d in doc('books')//book[title[contains(text(),'Beginning')]]
return <bookstore> {$d} </bookstore>
但是,此解决方案不能处理忽略字符大小写的问题。