存在(或不存在)某些属性的复制节点



我目前有这个工作得很好的 xsl

<?xml version="1.0" encoding="utf-8"?>
<xsl:stylesheet version="2.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 copy-namespaces="no">
<xsl:copy-of select="@Ccy"/>
<xsl:apply-templates />
</xsl:copy>
</xsl:template>
</xsl:stylesheet>

这实质上重写了我的 XML,删除了除 Ccy 之外的所有属性。 但是,我现在还需要包含名称为"name"的属性。 我想合并我想保留的属性名称:

<xsl:copy-of select="@Ccy | @name"/>

或者,理想情况下,复制除

<xsl:copy-of select="!@BadAttyName"/>

任何想法??

您可以使用以下样式表:

输入:

$more input.xml 
<?xml version="1.0"?>
<a>
<b Ccy="123" name="test1" BadAttyNameTest="toRemove1" BadAttyNameTestt="toRemovee1" other="hey1">toto</b>
<b Ccy="456" name="test2" BadAttyNameTest="toRemove2" BadAttyNameTestt="toRemovee2" other="hey2">abc</b>
<b Ccy="789" name="test3" BadAttyNameTest="toRemove3" BadAttyNameTestt="toRemovee3" other="hey3">uvw</b>
</a>

联盟:

::::::::::::::
inputUnion.xsl
::::::::::::::
<?xml version="1.0" encoding="utf-8"?>
<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 copy-namespaces="no">
<xsl:copy-of select="@Ccy | @name"/>
<xsl:apply-templates />
</xsl:copy>
</xsl:template>
</xsl:stylesheet>

输出联合:

$xsltproc inputUnion.xsl input.xml 
<a>
<b Ccy="123" name="test1">toto</b>
<b Ccy="456" name="test2">abc</b>
<b Ccy="789" name="test3">uvw</b>
</a>

它只会复制属性的并集@Ccy | @name,其他属性不考虑在内。

除了:

::::::::::::::
inputNOT.xsl
::::::::::::::
<?xml version="1.0" encoding="utf-8"?>
<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 copy-namespaces="no">
<xsl:copy-of select="@*[not(starts-with(name(),'BadAttyName'))]"/>
<xsl:apply-templates />
</xsl:copy>
</xsl:template>
</xsl:stylesheet>

输出除外:

$xsltproc inputNOT.xsl input.xml 
<a>
<b Ccy="123" name="test1" other="hey1">toto</b>
<b Ccy="456" name="test2" other="hey2">abc</b>
<b Ccy="789" name="test3" other="hey3">uvw</b>
</a>

语法@*[not(starts-with(name(),'BadAttyName'))]将采用满足括号中条件的所有属性。条件是所有不以BadAttyName开头的元素,这是通过组合not()starts-with()创建的。

XSLT 2.0 允许

<xsl:copy-of select="@* except @badAttName"/>

当然,它也允许

<xsl:copy-of select="@* except @*[startswith(name(), 'badAttName')]"/>

但是对于这种特殊情况,使用@*[not(....)]也同样有效。

XPath 2 及更高版本(这是您在 XSLT 2 及更高版本中使用的表达式语言(确实有一个except运算符,因此您可以使用例如<xsl:copy-of select="@* except @foo"/>复制除foo属性以外的所有属性,例如<xsl:copy-of select="@* except (@foo, @bar)"/>复制除foobar属性之外的所有属性。

由于您要排除以某个前缀开头的属性,因此您可以使用<xsl:copy-of select="@* except @*[matches(local-name(), '^BadAttyName')]"/>尽管已经建议的用<xsl:copy-of select="@*[not(matches(local-name(), '^BadAttyName'))]"/>否定条件的解决方案在这种情况下可能更紧凑,更容易。

相关内容

  • 没有找到相关文章

最新更新