-1

有人可以提供以下帮助吗?

我需要转换

<categories type="array">
      <category type="array">
        <category-name><![CDATA[Categories]]></category-name>
        <category-name><![CDATA[BAGS & TRIPODS]]></category-name>
        <category-name><![CDATA[Bags & Cases]]></category-name>
        <category-name><![CDATA[soft cases]]></category-name>
        <category-name><![CDATA[camera]]></category-name>
      </category>
    </categories>

进入

<Category>
        <Name>BAGS &amp; TRIPODS</Name>
        <Category>
          <Name>Bags &amp; Cases</Name>
          <Category>
            <Name>soft cases</Name>
            <Category>
              <Name>camera</Name>
            </Category>
          </Category>
        </Category>
      </Category>

这必须在 XSLT 1.0 中。谢谢!

4

1 回答 1

3

你的意思是你想把一个平面序列变成一棵树,其中每个父母只有一个孩子?

在父元素的模板中,不要将模板应用于所有子元素,而仅应用于第一个子元素:

  <xsl:template match="category[@type='array']">
    <xsl:apply-templates select="*[1]"/>    
  </xsl:template>

然后在每个孩子的模板中,通过写出新的 Category 元素及其名称来处理该孩子,然后将模板应用于紧随其后的兄弟姐妹:

  <xsl:template match="category-name">
    <Category>
      <Name>
        <xsl:apply-templates/>
      </Name>
      <xsl:apply-templates select="following-sibling::*[1]"/>
    </Category>
  </xsl:template>

在您的示例中,数组中的初始项目似乎已被删除;我们需要特殊的代码:

  <xsl:template match="category-name
                       [normalize-space = 'Categories']">
    <xsl:apply-templates select="following-sibling::*[1]"/>
  </xsl:template>  

全部一起:

<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
  version="1.0">

   <xsl:output method="xml" indent="yes"/>

  <xsl:template match="category[@type='array']">
    <xsl:apply-templates select="*[1]"/>    
  </xsl:template>

  <xsl:template match="category-name[normalize-space = 'Categories']">
    <xsl:apply-templates select="following-sibling::*[1]"/>
  </xsl:template>  

  <xsl:template match="category-name">
    <Category>
      <Name>
        <xsl:apply-templates/>
      </Name>
      <xsl:apply-templates select="following-sibling::*[1]"/>
    </Category>
  </xsl:template>

</xsl:stylesheet>

根据您提供的输入,这将产生以下内容:

<Category>
  <Name>Categories</Name>
  <Category>
    <Name>BAGS &amp; TRIPODS</Name>
    <Category>
      <Name>Bags &amp; Cases</Name>
      <Category>
        <Name>soft cases</Name>
        <Category>
          <Name>camera</Name>
        </Category>
      </Category>
    </Category>
  </Category>
</Category>
于 2013-02-08T21:20:17.667 回答