有列表
<nodes>
<node attr='1'/>
<node attr='0'/>
<node attr='1'/>
<node attr='1'/>
</nodes>
我需要应用模板所有节点并计数:
<xsl:apply-templates select='nodes/node'>
<xsl:if test='@attr=1'>
<xsl:number/>
</xsl:if>
</xsl:apply-templates>
但是结果中的 HAZ 不是 123,结果是 134。如何在 xslt-1.0 中修复它?还有另一种方法可以设置数字吗?位置()没有帮助,并且
<xsl:apply-templates select='nodes/node[@attr=1]'>
<xsl:if test='@attr=1'>
<xsl:number/>
</xsl:if>
</xsl:apply-templates>
无助 =(((
首先,您的 XSLT 中有一个错误
<xsl:apply-templates select='nodes/node'>
<xsl:if test='@attr=1'> <xsl:number/>
</xsl:if>
</xsl:apply-templates>
你不能在 xsl:apply-templates 中有一个 xsl:if。你需要一个匹配的xsl:template并将代码放在那里...
<xsl:apply-templates select="nodes/node" />
<xsl:template match="node">
<xsl:if test='@attr=1'>
<xsl:number/>
</xsl:if>
<xsl:template>
事实上,你可以在这里取消xsl:if,只在模板匹配中进行测试
<xsl:template match="node[@attr=1]">
<xsl:number/>
<xsl:template>
但是要回答您的问题,您可能需要在 xsl:number 元素上使用 count 属性来仅计算您想要的元素
<xsl:number count="node[@attr=1]"/>
这是完整的 XSLT
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes"/>
<xsl:template match="/">
<xsl:apply-templates select="nodes/node"/>
</xsl:template>
<xsl:template match="node[@attr=1]">
<xsl:number count="node[@attr=1]"/>
</xsl:template>
<xsl:template match="node"/>
</xsl:stylesheet>
应用于 XML 时,结果为 123
这说 123 - 这是你所追求的吗?
<xsl:for-each select="nodes/node[@attr='1']">
<xsl:value-of select="position()"/>
</xsl:for-each>
目前还不清楚您要实现什么目标。我假设您需要计算属性设置为 1 的节点数。在这种情况下,请使用计数函数:
<xsl:value-of select="count(nodes/node[@attr='1'])" />
如果您需要在与条件匹配的子集中输出所需节点的位置,那么for-each
可能是要走的路:
<xsl:for-each select="nodes/node[@attr='1']">
<xsl:value-of select="position()" />
</xsl:for-each>