示例 xml 是:
<a amp="a"><b><c>this is the text</c></b></a>
需要转化为:
<a amp="a"><c>this is the text</c></a>
解决方案#1:对smaccoun的解决方案进行轻微改进,该解决方案将保留c
元素上的任何属性(例如 XML 不是必需的):
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:template match="c">
<xsl:copy-of select="." />
</xsl:template>
</xsl:stylesheet>
解决方案#2另一种利用内置模板规则的替代方案,它为所有元素应用模板并复制所有text()
:
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<!--identity template for the c element, it's decendant nodes,
and attributes (which will only get applied from c or
descendant elements)-->
<xsl:template match="@*|c//node()|c">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
解决方案#3:修改后的身份转换:
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<!--identity template, copies all content by default-->
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<!--don't generate content for these matched elements,
just apply-templates to it's children-->
<xsl:template match="a|b">
<xsl:apply-templates/>
</xsl:template>
</xsl:stylesheet>
解决方案 #4如果您知道自己想要什么,只需从根节点上的匹配项中复制它
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:template match="/">
<xsl:copy-of select="a/b/c" />
</xsl:template>
</xsl:stylesheet>
如果您只想<b>
从输入中删除元素,则应使用修改后的身份转换与模板匹配的<b>
元素,该元素仅将模板应用于其子元素。
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<!--identity template, copies all content by default-->
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<!--don't generate content for the <b>, just apply-templates to it's children-->
<xsl:template match="b">
<xsl:apply-templates/>
</xsl:template>
</xsl:stylesheet>
应用模板<c>
,然后使用复制设计模式。
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:template match='c'>
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>