2

我是 xslt 的新手。我必须使用 xslt 将输入作为 xml 生成 json。

这里我的输入xml是这样的

<root> 
<section>   
  <item name="a">  
       <uuid>1</uuid>  
          </item> 
   </section> 
 <section>    
 <item name="b">     
     <uuid>2</uuid>  
   </item> 
     </section> 
   </root> 

使用 xslt 我必须得到这样的输出

{ "root" : { "section" : { "item" :[{ "name" : "a", "uuid" : "1"},
                                    { "name" : "b", "uuid" : "2"}] }
}}

在这里我要做的是:

  1. 查找子节点是否在数组中具有相同的名称

  2. 如果它们具有相同的名称,则生成一个包含相同节点名称下的节点值的数组

输出必须是 json。

4

1 回答 1

0

通常,由于两种语言的差异及其表达能力,XML 文档和 JSON 对象之间不存在 1:1 的映射关系。

这就是说,在您的特定情况下,这种转换

<xsl:stylesheet version="1.0"
 xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
 <xsl:output method="text"/>
 <xsl:strip-space elements="*"/>

 <xsl:variable name="vQ">"</xsl:variable>

 <xsl:template match="/*">
{ "root" : { "section" :
 <xsl:apply-templates select="section[1]/*"/>
 }}
 </xsl:template>

 <xsl:template match="item">
  { "item" :
    [<xsl:text/>
      <xsl:apply-templates select="../../*/item" mode="data"/>
     ]
   }
 </xsl:template>

 <xsl:template match="item" mode="data">
   <xsl:if test="position() > 1">, &#xA;&#9;&#9; </xsl:if>
   <xsl:text>{</xsl:text><xsl:apply-templates select="@*|*"/>}<xsl:text/>
 </xsl:template>

 <xsl:template match="item/@* | item/*">
   <xsl:if test="position() > 1">, </xsl:if>
   <xsl:value-of select='concat($vQ, name(), $vQ, " : ", $vQ, ., $vQ)'/>
 </xsl:template>
</xsl:stylesheet>

应用于提供的 XML 文档时:

<root>
    <section>
        <item name="a">
            <uuid>1</uuid>
        </item>
    </section>
    <section>
        <item name="b">
            <uuid>2</uuid>
        </item>
    </section>
</root>

产生想要的结果

{ "root" : { "section" :

  { "item" :
    [{"name" : "a", "uuid" : "1"}, 
         {"name" : "b", "uuid" : "2"}
     ]
   }

 }}
于 2012-06-22T12:33:14.203 回答