这是简化的问题:
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns="http://www.w3.org/1999/xhtml"
version="2.0">
<xsl:param name="foo" select="'test'"/> <!-- 'test' can also be empty '' or whatever -->
<!-- XHTML validation -->
<xsl:output method="xml"
doctype-public="-//W3C//DTD XHTML 1.0 Strict//EN"
doctype-system="http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"
indent="yes"
encoding="UTF-8"/>
<xsl:template match="/">
<html>
<head>
<title>bar</title>
</head>
<body>
<xsl:choose>
<xsl:when test="string-length($foo)=0">
<ol>
<xsl:for-each select="something/something2"> <!-- SEE THIS? -->
<li>
<xsl:call-template name="generic" />
</li>
</xsl:for-each>
</ol>
</xsl:when>
<xsl:otherwise>
<ol>
<xsl:for-each select="something/something2[tmp = $foo"]> <!-- SO MUCH REPETITION!! -->
<li>
<xsl:call-template name="generic" />
</li>
</xsl:for-each>
</ol>
</xsl:otherwise>
</xsl:choose>
</body>
</html>
</xsl:template>
</xsl:stylesheet>
我认为这很简单:如何避免这种重复?我尝试使用xsl:if
来设置xsl:variable
,但是后来我无法使用if
之外的变量,因此它变得毫无用处。
类似地,我只想在<ol>
时才应用<xsl:if test="count($varYouMightFigureOut) > 1">
,否则,应该单独调用<xsl:call-template name="generic" />
(for-each
和<li>
无关紧要,不应显示)。再说一次:一个简单的解决方案涉及很多重复,但是我宁愿避免这种事情。
有什么想法吗?
谢谢!
答案 0 :(得分:0)
您可以通过充分拥抱XSLT的内在美感来避免这种重复。
如以下示例所示,利用模板功能:
将中央模板简化为基本要素:
<xsl:template match="/">
<html>
<head>
<title>bar</title>
</head>
<body>
<xsl:apply-templates />
</body>
</html>
</xsl:template>
并添加两个子模板,以在假设的根IF
元素上实现最后一个<root>
条件(其名称必须与XML根元素的名称相同)
<xsl:template match="root">
<xsl:call-template name="generic" />
</xsl:template>
<xsl:template match="root[$varYouMightFigureOut > 1]">
<ol>
<xsl:apply-templates />
</ol>
</xsl:template>
然后将这两种xsl:choose
浓缩为这两个模板:
<xsl:template match="something/something2[string-length($foo)=0]">
<li>
<xsl:call-template name="generic" />
</li>
</xsl:template>
<xsl:template match="something/something2[tmp = $foo]">
<li>
<xsl:call-template name="generic" />
</li>
</xsl:template>
(您可以根据需要将参数添加到xsl:call-template
中)。
并使用上述模板使用的占位符“通用”模板完成此操作:
<xsl:template name="generic">
<xsl:value-of select="normalize-space(.)" />
</xsl:template>
此解决方案避免了所有不必要的重复,并利用了XSLT的强大功能。