0

我有以下要转换的 xml 数据结构:

     <chapter>
          <title>Text</title>
          <subtitle>Text</subtitle>
          <paragraph>Text</paragraph>
          <paragraph>Text</paragraph>
          <subtitle>Text</subtitle>
          <paragraph>Text</paragraph>
          <other>Text</other>
      </chapter>

      <chapter>
          <title>Text</title>
          <paragraph>Text</paragraph>
          <paragraph>Text</paragraph>
          <paragraph>Text</paragraph>
          <other>Text</other>
      </chapter>

      <chapter>
          <title>Text</title>
          <paragraph>Text</paragraph>
          <subtitle>Text</subtitle>
          <paragraph>Text</paragraph>
          <paragraph>Text</paragraph>
          <other>Text</other>
      </chapter>

如您所见,不同章节中的字幕没有固定的模式。在输出中,我需要将字幕设置在与 xml 相同的位置。对于段落标签,我使用 for-each 循环。像这样:

<xsl:template match="chapter">
  <xsl:for-each select="paragraph">
    <xsl:value-of select="."/>
  </xsl:for-each>
</xsl:template>

现在,我需要按照它们在 xml 中的顺序在段落之间或段落之间设置字幕。我怎样才能做到这一点?请帮忙!

4

2 回答 2

1

通过使用

 <xsl:for-each select="paragraph">

您首先将所有段落元素拉出,您可以将其更改为

<xsl:for-each select="*">

按顺序处理所有元素,但最好(或至少更惯用的 xslt)避免 for-each 并改用 apply-templates。

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


<xsl:template match="title">
Title: <xsl:value-of select="."/>
</xsl:template>


<xsl:template match="subtitle">
SubTitle: <xsl:value-of select="."/>
</xsl:template>


<xsl:template match="paragraph">
 <xsl:text>&#10;&#10;</xsl:text>
 <xsl:value-of select="."/>
<xsl:text>&#10;&#10;</xsl:text>
</xsl:template>
于 2013-01-22T17:09:40.977 回答
0

这会做吗?

<xsl:template match="chapter">
  <xsl:for-each select="paragraph | subtitle">
    <xsl:value-of select="."/>
  </xsl:for-each>
</xsl:template>

但正如 David Carlisle 所指出的,典型的 XSLT 方法是将其拆分为模板,如果您想对某些模板进行特殊处理,这尤其有意义:

<xsl:template match="chapter">
   <xsl:apply-templates select="paragraph | subtitle" />
</xsl:template>

<xsl:template match="paragraph">
   <xsl:value-of select="." />
</xsl:template>

<xsl:template match="subtitle">
   <!-- do stuff with subtitles -->
</xsl:template>
于 2013-01-22T17:06:58.047 回答