我需要使用XSL动态创建XML,如下所示。我想将最后一个num属性或最后一个循环值提供给XSL处理器任何人都知道该怎么做?所需的输出如下:
<loops>
<loop num="1">0</loop>
<loop num="2">1001</loop>
<loop num="3">2001</loop>
<loop num="4">3001</loop>
<loop num="5">4001</loop>
<loop num="6">5001</loop>
<loop num="7">6001</loop>
</loops>
答案 0 :(得分:1)
如果您的处理器支持 XSLT 2.0 ,那么这很容易:
<xsl:template match="/">
<loops>
<xsl:for-each select="1 to input">
<loop num="{.}">
<xsl:value-of select="(. - 1) * 1000 + 1" />
</loop>
</xsl:for-each>
</loops>
</xsl:template>
请注意,结果将与您的略有不同:
<?xml version="1.0" encoding="utf-8"?>
<loops>
<loop num="1">1</loop>
<loop num="2">1001</loop>
<loop num="3">2001</loop>
<loop num="4">3001</loop>
<loop num="5">4001</loop>
<loop num="6">5001</loop>
<loop num="7">6001</loop>
</loops>
演示:http://xsltransform.hikmatu.com/bdxtpG
XSLT 1.0 中的相同之处:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform" >
<xsl:output method="xml" version="1.0" encoding="utf-8" indent="yes"/>
<xsl:template match="/">
<loops>
<xsl:call-template name="create-loops">
<xsl:with-param name="n" select="input"/>
</xsl:call-template>
</loops>
</xsl:template>
<xsl:template name="create-loops">
<xsl:param name="n"/>
<xsl:if test="$n > 0">
<xsl:call-template name="create-loops">
<xsl:with-param name="n" select="$n - 1"/>
</xsl:call-template>
<loop num="{$n}">
<xsl:value-of select="($n - 1) * 1000 + 1" />
</loop>
</xsl:if>
</xsl:template>
</xsl:stylesheet>