0

在我的 XML 中,我有带有标题的章节,我需要从中生成一个目录,以便:

<chapter id="1"><title>Chapter 1</title><p>text</p></chapter>
<chapter id="2"><title>Chapter 2</title><p>text</p></chapter>

转换为

<!-- Table Of Contents -->
<div class="contents">
  <ul>
    <li><a href="#1">Chapter 1</a></li>
    <li><a href="#2">Chapter 2</a></li>
  </ul>
</div>

<!-- Actual Content -->
<div class="chapter" id="1"><p>text</p></div>
<div class="chapter" id="2"><p>text</p></div>

不幸的是,当我尝试使用xsl:for-each来生成目录时,实际的章节似乎从输出中消失了。我该如何解决这个问题?

4

1 回答 1

6

这个 XSLT:

<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
  <xsl:output method="xml" indent="yes"/>

  <xsl:template match="@* | node()">
    <xsl:copy>
      <xsl:apply-templates select="@* | node()" />
    </xsl:copy>
  </xsl:template>

  <xsl:template match="/*">
    <div>
      <div class="contents">
        <ul>
          <xsl:apply-templates select="chapter" mode="contents" />
        </ul>
      </div>

      <xsl:apply-templates select="chapter" />
    </div>
  </xsl:template>

  <xsl:template match="chapter" mode="contents">
    <li>
      <a href="#{@id}">
        <xsl:value-of select="title" />
      </a>
    </li>
  </xsl:template>

  <xsl:template match="chapter">
    <div class="chapter" id="{@id}">
      <xsl:apply-templates select="*" />
    </div>
  </xsl:template>

  <xsl:template match="chapter/title" />
</xsl:stylesheet>

当应用于此输入时:

<chapters>
  <chapter id="1">
    <title>Chapter 1</title>
    <p>text</p>
  </chapter>
  <chapter id="2">
    <title>Chapter 2</title>
    <p>text</p>
  </chapter>
</chapters>

将产生:

<div>
  <div class="contents">
    <ul>
      <li>
        <a href="#1">Chapter 1</a>
      </li>
      <li>
        <a href="#2">Chapter 2</a>
      </li>
    </ul>
  </div>
  <div class="chapter" id="1">
    <p>text</p>
  </div>
  <div class="chapter" id="2">
    <p>text</p>
  </div>
</div>

如果您可以向我们展示您的 XSLT(我认为提供的 2,410 声望点对您来说是显而易见的),我们可以告诉您您做错了什么。

于 2013-02-07T12:34:14.157 回答