XSLT:将ID从一个子节点复制到另一个子节点

时间:2013-09-25 14:10:28

标签: xslt copy element

我一直在寻找这个并尝试了很多选项,这部分地做了我想要的。我对XSLT不够熟悉,无法将这些结合到我想要的东西中。感谢帮助。

我的xml

<?xml version="1.0" encoding="UTF-8"?>
<parent>
    <id>1</id>
    <child>
        <a>sample</a>
    </child>
</parent>

<parent>
    <id>2</id>
    <child>
        <a>sample</a>
    </child>
</parent>     

输出必须如下:

<parent>
    <id>1</id>
    <child>
        <id>1</d>
        <a>sample</a>
    </child>
</parent>

<parent>
    <id>2</id>
    <child>
        <id>2</id>
        <a>sample</a>
    </child>
</parent>

我找到了一个xsl代码,它可以执行我想要的但它复制属性,而我需要复制id中的数字(不是它不是使id成为属性的选项)。我也想知道xls是否可以知道哪个父/ id必须附加到哪个孩子,因为它们都是相同的。

1 个答案:

答案 0 :(得分:0)

我相信你的输入XML错过了一个根元素,因此我使用了这个输入XML:

<?xml version="1.0" encoding="UTF-8"?>
<data>
    <parent>
        <id>1</id>
        <child>
            <a>sample</a>
        </child>
    </parent>
    <parent>
        <id>2</id>
        <child>
            <a>sample</a>
        </child>
    </parent>
</data>

如果我应用此XSLT:

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

    <!-- Identity to copy all elements -->
    <xsl:template match="@*|node()">
        <xsl:copy>
            <xsl:apply-templates select="@*|node()" />
        </xsl:copy>
    </xsl:template>

    <!-- Match on element child and copy this element, but on top add a new element
          <id> and fill this with the ancestor element called parent and it's child id -->
    <xsl:template match="child">
        <xsl:copy>
            <xsl:apply-templates select="@*" /> <!-- Copy attributes first because we will add a node after this -->
            <id><xsl:value-of select="ancestor::parent/id" /></id>
            <xsl:apply-templates select="node()" />
        </xsl:copy>
    </xsl:template>
</xsl:stylesheet>

输出将是:

<?xml version="1.0" encoding="UTF-8"?>
<data>
    <parent>
        <id>1</id>
        <child>
            <id>1</id>
            <a>sample</a>
        </child>
    </parent>
    <parent>
        <id>2</id>
        <child>
            <id>2</id>
            <a>sample</a>
        </child>
    </parent>
</data>