0

有人能帮我吗?

这是我的 XML -

<grandparent>
  <parent>
    <child>apple</child>
  </parent>
  <parent>
    <child>apple</child>
    <child>orange</child>
    <child>apple</child>
    <child>apple</child>
    <child>apple</child>
  </parent>
  <parent>
    <child>pear</child>
    <child>apple</child>
    <child>pear</child>
    <child>pear</child>
  </parent>
</granparent>

我有一个模板,我将 parent 传递给它,它会吐出所有子标签,但我希望它只吐出唯一的子值。

我进行了搜索,每个人使用密钥的建议似乎都不起作用,因为它似乎只能获得祖父母范围内的唯一值,而不是父母范围内的唯一值。

这就是我所拥有的——

<xsl:template name="uniqueChildren">
  <xsl:param name="parent" />

  <xsl:for-each select="$parent/child">
    <xsl:value-of select="." />
  </xsl:for-each>
</xsl:template>

目前显示——

apple
apple orange apple apple apple
pear apple pear pear

我尝试按键时的代码 -

<xsl:key name="children" match="child" use="." />

<xsl:template name="uniqueChildren">
  <xsl:param name="parent" />

  <xsl:for-each select="$parent/child[generate-id() = generate-id(key('children', .)[1])]">
    <xsl:value-of select="." />
  </xsl:for-each>
</xsl:template>

当我尝试使用它显示的键时 -

apple
orange
pear

我希望它显示的内容 -

apple
apple orange
pear apple
4

1 回答 1

0

您与密钥方法非常接近,诀窍是您需要将父节点的身份作为分组密钥的一部分包含在内:

<xsl:key name="children" match="child" use="concat(generate-id(..), '|', .)" />

<xsl:template name="uniqueChildren">
  <xsl:param name="parent" />

  <xsl:for-each select="$parent/child[generate-id() = generate-id(
           key('children', concat(generate-id($parent), '|', .))[1])]">
    <xsl:value-of select="." />
  </xsl:for-each>
</xsl:template>

<id-of-parent>|apple这将创建“ ”、“ <id-of-parent>|orange”等形式的键值。


编辑:在您的评论中,您说“在我的实际数据中,子节点不是父节点的直接子节点。父节点和子节点之间有 2 个级别,例如 parent/././child”

在这种情况下,原理相同,您只需要稍微调整一下键即可。关键是关键值需要包含generate-id定义唯一性检查范围的节点的。因此,如果您知道在 ( parent/x/y/child) 之间总是恰好有两个级别,那么您将使用

<xsl:key name="children" match="child"
   use="concat(generate-id(../../..), '|', .)" />

或者如果child元素可能处于不同的层次,parent那么你可以使用类似的东西

<xsl:key name="children" match="child"
   use="concat(generate-id(ancestor::parent[1]), '|', .)" />

ancestor::parent[1]是名称为 的目标元素的最近祖先parent

于 2013-08-30T11:25:12.730 回答