//<;节点>;不会';t给出所有匹配的节点

本文关键字:节点 lt gt 不会 | 更新日期: 2023-09-27 18:20:52

给定以下XML:

<root>
  <StepFusionSet name="SF1">
      <StepFusionSet name="SF2">
      </StepFusionSet>
  </StepFusionSet>
  <StepFusionSet name="SF10">
  </StepFusionSet>
</root>

以下C#代码:

        XPathDocument doc = new XPathDocument("input.xml");
        var nav = doc.CreateNavigator();
        var item = nav.Select("//StepFusionSet[@name]");
        while (item.MoveNext())
        {
            Debug.WriteLine(item.Current.GetAttribute("name", item.Current.NamespaceURI));
        }

给我输出:

SF1
SF2
SF10

但是以下XSLT文件:

<?xml version="1.0" ?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="2.0">
  <xsl:output method="xml" indent="yes"/>
  <xsl:template match="//StepFusionSet">
    <xsl:call-template name="a"/>
  </xsl:template>
  <xsl:template name="a">
      <xsl:apply-templates select="@name"/>
  </xsl:template>
</xsl:stylesheet>

(由C#代码调用:)

        XslTransform xslt = new XslTransform();
        xslt.Load("transform.xslt");
        XPathDocument doc = new XPathDocument("input.xml");
        MemoryStream ms = new MemoryStream();
        xslt.Transform(doc, null, ms);

给我输出:

SF1
SF10

我在XSLT文件中做错了什么?

//<;节点>;不会';t给出所有匹配的节点

考虑您的第一个模板…

<xsl:template match="//StepFusionSet">

…应用于SF1和(嵌套的)SF2元素:

<StepFusionSet name="SF1">
  <StepFusionSet name="SF2">
  </StepFusionSet>
</StepFusionSet>

模板与外部SF1元素匹配;然而,它需要重新应用于匹配元素的子元素,以便匹配您的内部SF2

这可以通过在第二个模板定义中嵌入递归<xsl:apply-templates/>来实现

<?xml version="1.0" ?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="2.0">
  <xsl:output method="xml" indent="yes"/>
  <xsl:template match="//StepFusionSet">
    <xsl:call-template name="a"/>
  </xsl:template>
  <xsl:template name="a">
    <xsl:apply-templates select="@name"/>
    <xsl:apply-templates/>
  </xsl:template>
</xsl:stylesheet>

或者,您可以使用<xsl:for-each>元素来选择所有<StepFusionSet>元素(包括嵌套的元素,如SF2):

<?xml version="1.0" ?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="2.0">
  <xsl:output method="xml" indent="yes"/>
  <xsl:template match="/">
    <xsl:for-each select="//StepFusionSet">
      <xsl:value-of select="@name"/>
    </xsl:for-each>
  </xsl:template>
</xsl:stylesheet>

您的错误是认为,由于match="//StepFusion"的模板匹配每个StepFusion元素,因此将调用它来处理每个StepFusion元素。事实上,它将只处理那些通过xsl:apply-templates指令选择进行处理的StepFusion元素。

我怀疑,当人们使用match'"//StepFusion"而不是更简单、更清晰的match="StepFusion)时,这种混乱经常存在。match属性测试给定元素是否符合此模板规则的处理条件;正是应用模板指令决定了向该测试提交哪些元素。