1

在 javascript 中,尝试转换动态创建的 XML 数据岛,使用 XSL 文件对其进行排序,但结果是排序后的数据全部在一行上,没有 XML 格式或适当的缩进。看起来根本没有使用。我需要在生成的 transformNode() 中生成 XML 标记和缩进。

javascript代码:

var sourceXML = document.getElementById(XMLViewID); //textArea containing XML
var xmlDoc=new ActiveXObject("Microsoft.XMLDOM");
xmlDoc.async = false;
xmlDoc.loadXML(sourceXML.value);

var xslDoc = new ActiveXObject("Microsoft.XMLDOM");
xslDoc.async=false;
xslDoc.load("xsl.xsl");

// This should be the sorted, formatted XML data, in tree and indented format?
var sorted = xmlDoc.transformNode(xslDoc);

XML 数据:

    <table>
    <row>
        <A>j</A>
        <B>0</B>
    </row>
    <row>
        <A>c</A>
        <B>4</B>
    </row>
    <row>
        <A>f</A>
        <B>6</B>
    </row>
</table>

xsl.xsl:

<xsl:output method="xml" indent="yes" omit-xml-declaration="no"/>

<xsl:template match="/">
    <xsl:apply-templates select="table/row">
        <xsl:sort select="A" order="ascending"/>
    </xsl:apply-templates>
</xsl:template>

<xsl:template match="row">
    <xsl:value-of select="A"/>
    <xsl:value-of select="B"/>
</xsl:template>

我假设使用 'indent=yes' 和 'omit-xml-declaration=no' 得到的转换应该是缩进和格式化:

 <?xml version="1.0" encoding="UTF-16"?>
     <table>
       <row>
         <tr>
           <A>j</A>
           <B>0</B>
         </tr>
         <tr>
           <A>c</A>
           <B>4</B>
         </tr>
         <tr>
           <A>f</A>
           <B>6</B>
         </tr>
       </row>
     </table>

但取而代之的是:c4f6j0 在一行中,没有格式,没有 XML 标记......

4

1 回答 1

1

到目前为止,您的 XSLT 只生成文本节点,如果您想要带有元素的 XML,那么您需要使用类似的代码创建它们

<xsl:template match="table">
  <xsl:copy>
    <xsl:apply-templates select="row">
      <xsl:sort select="A"/>
    </xsl:apply-templates>
  </xsl:copy>
</xsl:template>

<xsl:template match="@* | node()">
  <xsl:copy>
    <xsl:apply-templates select="@* | node()"/>
  </xsl:copy>
</xsl:template>
于 2013-08-28T09:03:54.010 回答