使用xsl:number incide if

时间:2012-06-29 08:08:34

标签: xslt if-statement numbers xslt-1.0

有清单

<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>

但结果不是123,结果是134.如何在xslt-1.0中修复它?还有另一种设置数字的方法吗? position()没有帮助,

<xsl:apply-templates select='nodes/node[@attr=1]'>
<xsl:if test='@attr=1'>
<xsl:number/>
</xsl:if>
</xsl:apply-templates>

无助于=((

3 个答案:

答案 0 :(得分:2)

这说123 - 这就是你所追求的吗?

<xsl:for-each select="nodes/node[@attr='1']">
  <xsl:value-of select="position()"/>
</xsl:for-each>

答案 1 :(得分:2)

首先,您的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 元素上的计数属性来仅计算您想要的元素

<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

答案 2 :(得分:0)

目前尚不清楚你想要实现的目标。我假设您需要计算属性设置为1的节点数。在这种情况下,请使用count函数:

<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>