所以我试图用xslt解决一个问题,我通常知道如何用命令式语言解决这个问题。我正在将xml元素列表中的单元格添加到表中,这些元素是标准的。因此:
<some-elements>
<element>"the"</element>
<element>"minds"</element>
<element>"of"</element>
<element>"Douglas"</element>
<element>"Hofstadter"</element>
<element>"and"</element>
<element>"Luciano"</element>
<element>"Berio"</element>
</some-elements>
然而,我想在达到某个字符的最大值后,剪掉一行并开始新的一行。假设我最多允许每行20个字符。我最终会得到这个:
<table>
<tr>
<td>"the"</td>
<td>"minds"</td>
<td>"of"</td>
<td>"Douglas"</td>
</tr>
<tr>
<td>"Hofstadter"</td>
<td>"and"</td>
<td>"Luciano"</td>
</tr>
<tr>
<td>"Berio"</td>
</tr>
</table>
在命令式语言中,我会将元素附加到一行中,同时将每个元素的字符串计数添加到某个可变变量中。当该变量超过20时,我会停止,构建一个新行,并在将字符串计数返回为零后对该行重新运行整个过程(从停止的元素开始)。但是,我不能在XSLT中更改变量值。这整个无状态、函数求值的事情让我陷入了一个循环。
从xsl列表来到这个论坛就像回到了10年前,为什么每个人都使用xslt 1:-)
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output indent="yes"/>
<xsl:template match="some-elements">
<table>
<xsl:apply-templates select="element[1]"/>
</table>
</xsl:template>
<xsl:template match="element">
<xsl:param name="row"/>
<xsl:choose>
<xsl:when test="(string-length($row)+string-length(.))>20
or
not(following-sibling::element[1])">
<tr>
<xsl:copy-of select="$row"/>
<xsl:copy-of select="."/>
</tr>
<xsl:apply-templates select="following-sibling::element[1]"/>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select="following-sibling::element[1]">
<xsl:with-param name="row">
<xsl:copy-of select="$row"/>
<xsl:copy-of select="."/>
</xsl:with-param>
</xsl:apply-templates>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>