我有一个看起来像这样的源XML
<parent>
<child id="123456">Child Name
</child>
<image name="child.jpg">
</parent>
目标XML应为
<data>
<person id="123456">
<name>Child Name</name>
</person>
<relation id="123456">
<filename>child.jpg</filename>
</relation>
</data>
我正在使用XSLT来转换它。 问题是指如何在源XML中使用XSLT在Destination XML中的两个不同位置获取id(123456)的值。
答案 0 :(得分:2)
这是一个简短的解决方案:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output omit-xml-declaration="yes" indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:template match="parent">
<data>
<xsl:apply-templates/>
</data>
</xsl:template>
<xsl:template match="child">
<person id="{@id}">
<name><xsl:value-of select="."/></name>
</person>
</xsl:template>
<xsl:template match="image">
<relation id="{preceding-sibling::child[1]/@id}">
<filename><xsl:value-of select="@name"/></filename>
</relation>
</xsl:template>
</xsl:stylesheet>
在提供的XML文档上应用此转换时:
<parent>
<child id="123456">Child Name</child>
<image name="child.jpg"/>
</parent>
产生了想要的正确结果:
<data>
<person id="123456">
<name>Child Name</name>
</person>
<relation id="123456">
<filename>child.jpg</filename>
</relation>
</data>
答案 1 :(得分:0)
你可以试试这个: XSL:
<?xml version='1.0'?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes"/>
<xsl:template match="/">
<data>
<xsl:for-each select="parent">
<!--variable to store @id-->
<xsl:variable name="id" select="child/@id"/>
<!--creating a test comment node()-->
<xsl:comment>Child having id: <xsl:value-of select="child/@id"/></xsl:comment>
<xsl:element name="person">
<xsl:attribute name="id"><xsl:value-of select="$id"/></xsl:attribute>
<xsl:element name="name">
<xsl:value-of select="./child/text()"/>
</xsl:element>
</xsl:element>
<xsl:element name="relation">
<xsl:attribute name="id">
<xsl:value-of select="$id"/>
</xsl:attribute>
<xsl:element name="filename">
<xsl:value-of select="./image/@name"/>
</xsl:element>
</xsl:element>
</xsl:for-each>
</data>
</xsl:template>
</xsl:stylesheet>
输入XML(您的但经过轻微修改以使其良好形成)
<?xml version="1.0"?>
<parent>
<child id="123456">Child Name</child>
<image name="child.jpg"/>
</parent>
结果
<?xml version='1.0' ?>
<data>
<!--Child having id: 123456-->
<person id="123456">
<name>Child Name</name>
</person>
<relation id="123456">
<filename>child.jpg</filename>
</relation>
</data>