我希望进行转换,其中我获取一个元素的属性并将其添加到另一个元素的属性值。这是我想做的一个例子“
<Stuff>
<subsystem value="ssname">
<item value="A">This is my value</item>
<item value="B">This is my other value</item>
</subsystem>
</Stuff>
我想使用xslt进行转换,以执行以下操作:
<Stuff>
<subsystem value="ssname">
<item value="ssname_A">This is my value</item>
<item value="ssname_B">This is my other value</item>
</subsystem>
</Stuff>
如何使用XSLT 1.0执行此操作?
答案 0 :(得分:1)
以下样式表使用匹配的item/@value
的上下文来使用表达式subsystem/@value
来阻止../../@value
的值。或者,您可以改为使用/Stuff/subsystem/@value
。
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
version="1.0">
<xsl:output indent="yes"/>
<!--Identity template to copy content forward-->
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<!-- specialized template for value attribute that concatenates
the subsystem/@value with the current @value -->
<xsl:template match="item/@value">
<xsl:attribute name="value">
<xsl:value-of select="concat(../../@value,
'_',
.)"/>
</xsl:attribute>
</xsl:template>
</xsl:stylesheet>
答案 1 :(得分:0)
此转化:
<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="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="item">
<item value="{../@value}_{@value}">
<xsl:apply-templates select="node()"/>
</item>
</xsl:template>
</xsl:stylesheet>
应用于提供的XML文档:
<Stuff>
<subsystem value="ssname">
<item value="A">This is my value</item>
<item value="B">This is my other value</item>
</subsystem>
</Stuff>
生成想要的正确结果:
<Stuff>
<subsystem value="ssname">
<item value="ssname_A">This is my value</item>
<item value="ssname_B">This is my other value</item>
</subsystem>
</Stuff>