XSLT 1.0的新手,我真的很难提取以下XML的值(使用XSLT1.0):
<?xml version="1.0" encoding="UTF-8"?>
<soapenv:Envelope xmlns:soapenv="http://schemas.xmlsoap.org/soap/envelope/" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<soapenv:Body>
<smallnote xmlns="http://soap.test.com/2005/ob">
<Id>1234</Id>
<Note>
<Id>4567</Id>
<sObject xsi:type="abc:Testcase" xmlns:abc="urn:soap.test.com">
<abc:Id>890</abc:Id>
<abc:Name>Some name</abc:Name>
</sObject>
</Note>
</smallnote>
</soapenv:Body>
</soapenv:Envelope>
期望的输出:
<?xml version="1.0" encoding="UTF-8"?>
<Id>1234</Id>
<NoteId>4567</NoteId>
<ObjType>Testcase</ObjType>
<ObjId>890</ObjId>
<ObjName>Some name</ObjName>
我该如何处理命名空间?我知道:
<xsl:value-of select="//*[local-name() = 'Id']" />
但似乎对我有多个Id字段不起作用。
首先删除命名空间是一种更好的方法吗?因为每当我尝试提取值时,我都很难选择正确的“路径”。
提前致谢
答案 0 :(得分:1)
首先删除命名空间是一种更好的方法吗?
我理解你对简单性的渴望,但即使它在开始处理命名空间时看起来很麻烦,如果不像你看起来那么困难。请记住,没有namespace-prefix的子级继承由xmlns=...
属性设置的默认命名空间。
让我们走过这条路:
soapenv:Envelope
具有显式名称空间soapenv
soapenv:Body
smallnote
为自己及其子项定义默认命名空间。smallnote
的所有孩子都使用此命名空间,除了那些使用abc
命名空间,Id
和Name
明确定义的命名空间。要从输出中排除名称空间,请使用带有名称空间前缀的exclude-result-prefixes
属性来删除。
所以代码看起来像这样:
(我添加了一个简单的根标记aNote
,以便为一个 tst:smallnote
节点生成格式良好的XML
<?xml version="1.0" encoding="iso-8859-1"?>
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:soapenv="http://schemas.xmlsoap.org/soap/envelope/"
xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:tst="http://soap.test.com/2005/ob"
xmlns:abc="urn:soap.test.com"
exclude-result-prefixes="xsi xsd tst abc soapenv">
<xsl:output method="xml" encoding="UTF-8" indent="yes" omit-xml-declaration="no"/>
<xsl:template match="tst:smallnote">
<aNote>
<Id><xsl:value-of select="tst:Id" /></Id>
<NoteId><xsl:value-of select="tst:Note/tst:Id" /></NoteId>
<ObjType><xsl:value-of select="substring-after(tst:Note/tst:sObject/@xsi:type,':')" /></ObjType>
<ObjId><xsl:value-of select="tst:Note/tst:sObject/abc:Id" /></ObjId>
<ObjName><xsl:value-of select="tst:Note/tst:sObject/abc:Name" /></ObjName>
</aNote>
</xsl:template>
</xsl:stylesheet>
输出是:
<?xml version="1.0" encoding="UTF-8"?>
<aNote>
<Id>1234</Id>
<NoteId>4567</NoteId>
<ObjType>Testcase</ObjType>
<ObjId>890</ObjId>
<ObjName>Some name</ObjName>
</aNote>