如果xslt中的条件有任何一行,例如假设我只想根据某些条件添加属性
e.g。
<name (conditionTrue then defineAttribute)/>
只是为了避免
<xsl:if test="true">
<name defineAttribute/>
</xsl:if>
答案 0 :(得分:7)
您可以使用<xsl:element>
为其属性创建输出元素和<xsl:attribute>
。然后添加条件属性很简单:
<xsl:element name="name">
<xsl:if test="condition">
<xsl:attribute name="myattribute">somevalue</xsl:attribute>
</xsl:if>
</xsl:element>
答案 1 :(得分:6)
以下是如何完全避免指定<xsl:if>
的示例:
我们有这个XML文档:
<a x="2">
<b/>
</a>
我们只想在b
的父级parentEven="true"
属性的值为偶数时才添加x
属性b
。
以下是如何在没有任何明确条件指示的情况下执行此操作:
<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="a[@x mod 2 = 0]/b">
<b parentEven="true">
<xsl:apply-templates select="node()|@*"/>
</b>
</xsl:template>
</xsl:stylesheet>
在上面的XML文档中应用此转换时,会生成所需的正确结果:
<a x="2">
<b parentEven="true"/>
</a>
请注意:
使用模板和模式匹配可以完全消除指定显式条件指令的需要。 XSLT代码中存在显式条件指令应被视为“代码味道”,应尽可能避免使用。