如何使用match属性获取所有具有特定名称的节点

时间:2019-07-08 22:52:14

标签: xml xslt xpath

我正在尝试通过以下方式使用match属性来获取XML文件中的一组节点-

<xsl:template match="//title" name="split">

,它似乎不起作用。

这是我要使用的XML文件(摘自https://www.w3schools.com/xml/xpath_syntax.asp

<?xml version="1.0" encoding="UTF-8"?>
<?xml-stylesheet type="text/xsl" href="c.xsl"?>

<bookstore>
    <book>
        <title lang="en">Harry Potter</title>
        <price>29.99</price>
    </book>

    <book>
        <title lang="en">Learning XML</title>
        <price>39.95</price>
    </book>
</bookstore>

这是我要运行的xsl文件

<xsl:stylesheet version="1.0"
 xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
 <xsl:output omit-xml-declaration="yes" indent="yes"/>

 <xsl:template match="//title" name="split">
    <xsl:value-of select=".">
    </xsl:value-of>
 </xsl:template>
</xsl:stylesheet>

所需的输出是:哈利·波特学习XML

2 个答案:

答案 0 :(得分:3)

您有一个与标题正确匹配的模板,但是您没有任何东西可以捕捉并忽略其他所有内容,因此将包含所有文本内容。

放入一个完全匹配的模板,该模板仅将样式表重新应用于其他所有模板。请注意,如果采用这种方式,则不需要通配符//title匹配,而只需匹配元素名称即可。

XSL

<xsl:stylesheet version="1.0"
    xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
    <xsl:output omit-xml-declaration="yes" indent="yes" />

    <xsl:template match="title" name="split">
        <xsl:value-of select="concat(., ' ')" />
    </xsl:template>

    <xsl:template match="@*|node()">
        <xsl:apply-templates select="@*|node()" />
    </xsl:template>

</xsl:stylesheet>

输出

Harry Potter Learning XML 

答案 1 :(得分:1)

使用此。在连接值之间添加空格,可以随时修改

<xsl:stylesheet version="1.0"
 xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
    <xsl:output omit-xml-declaration="yes" indent="yes"/>
    <xsl:template name="concatvalues" match="bookstore">
        <xsl:variable name="concatenatedValue">
            <xsl:for-each select="book/title">
                <xsl:if test="position() != last()">
                    <xsl:value-of select="concat(./text(), ' ')"/>
                </xsl:if>
                <xsl:if test="position() = last()">
                    <xsl:value-of select="./text()"/>
                </xsl:if>
            </xsl:for-each>
        </xsl:variable>

        <xsl:value-of select="$concatenatedValue"/>

    </xsl:template>
</xsl:stylesheet>