1

我有一个 xsl:for-each,我想将每 2 个项目包装在一个 div 中。怎么做?

<xsl:for-each select="$datapath/PackageInfoList/PackageInfo">

<!-- lots of html in here -->

</xsl:for-each>

所以结果是:

<div>
<!-- lots of html in here -->
<!-- lots of html in here -->
</div>
<div>
<!-- lots of html in here -->
<!-- lots of html in here -->
</div>
4

1 回答 1

6

选择奇数<PackageInfo>元素,像这样

<xsl:for-each select="$datapath/PackageInfoList/PackageInfo[position() mod 2 = 1]">
  <div>
     <!-- lots of html in here -->

     <!-- do something with following-sibling::PackageInfo[1] -->
  </div>
</xsl:for-each>

这将针对位置 1、3、5 等处的元素运行。<PackageInfo>手动处理相应的第一个后续。


更地道

<xsl:template match="/">
  <xsl:apply-templates select="$datapath/PackageInfoList/PackageInfo" mode="group2" />
</xsl:template>

<xsl:template match="PackageInfo" mode="group2">
  <xsl:if test="position() mod 2 = 1">
    <div>
      <xsl:apply-templates select=". | following-sibling::PackageInfo[1]" />
    </div>
  </xsl:if>
</xsl:template>

<xsl:template match="PackageInfo">
  <!-- lots of html in here -->
</xsl:template>

更灵活

<xsl:template match="/">
  <xsl:apply-templates select="$datapath/PackageInfoList/PackageInfo" mode="group">
    <xsl:with-param name="groupcount" select="2" />
  </xsl:apply-templates>
</xsl:template>

<xsl:template match="PackageInfo" mode="group">
  <xsl:param name="groupcount" select="2" />

  <xsl:if test="position() mod $groupcount = 1">
    <div>
      <xsl:apply-templates select=". | following-sibling::PackageInfo[position() &lt; $groupcount]" />
    </div>
  </xsl:if>
</xsl:template>

<xsl:template match="PackageInfo">
  <!-- lots of html in here -->
</xsl:template>
于 2013-08-01T11:18:12.357 回答