我正在尝试学习XSLT(对于一些假期编码乐趣)。我想我现在已经非常了解基础知识(抓取子树,过滤掉元素和重命名元素)。我遇到麻烦的地方就是彻底重组XML结构。如果你有一个深层嵌套的结构并且想要展平它,你会怎么做呢?
例如,假设我正在尝试将docbook片段转换为html ...
输入(docbook):
<section>
<title>Title A</title>
<para>foo</para>
<para>bar</para>
<section>
<title>Title B</title>
<para>baz</para>
<para>biz</para>
<section>
<title>Title C</title>
<para>bing</para>
</section>
</section>
<section>
<title>Title D</title>
<para>fizzle</para>
</section>
</section>
输出(html):
<h1>Title A</h1>
<p>foo</p>
<p>bar</p>
<h2>Title B</h2>
<p>baz</p>
<p>biz</p>
<h3>Title C</h3>
<p>bing</p>
<h2>Title D</h2>
<p>fizzle</p>
这是xsl:param
和xsl:call-template
发挥作用的地方吗?
谢谢!
答案 0 :(得分:6)
Carsten的测试用例有效(只需稍作调整,您需要使用/)终止xsl:value-of
,但始终使用<h2>
作为标题。如果你想根据标题的嵌套级别使用不同的标题元素,那么你还需要一些东西:
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:template match="/">
<html>
<body>
<xsl:apply-templates />
</body>
</html>
</xsl:template>
<xsl:template match="title">
<xsl:choose>
<xsl:when test="count(ancestor::section) = 1">
<h1><xsl:value-of select="." /></h1>
</xsl:when>
<xsl:when test="count(ancestor::section) = 2">
<h2><xsl:value-of select="." /></h2>
</xsl:when>
<xsl:otherwise>
<h3><xsl:value-of select="." /></h3>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="para">
<p><xsl:value-of select="." /></p>
</xsl:template>
</xsl:stylesheet>
XPath函数count(ancestor::section)
将返回所有<section>
个元素的计数,这些元素是当前元素的父元素。在示例中,我使用<h1>
和<h2>
作为两个最外层,<h3>
表示任何更深层次的嵌套,但当然你可以在你的反对中使用其他差异。
甚至可以使用以下表达式在动态标题后生成数字:
<xsl:template match="title">
<xsl:variable name="heading">h<xsl:value-of select="count(ancestor::section)" /></xsl:variable>
<xsl:element name="{$heading}">
<xsl:value-of select="." />
</xsl:element>
</xsl:template>
其中的xsl:variable
部分会创建一个值为h
+嵌套级别的变量。然后,该变量可以用作xsl:element
元素的参数,该元素允许您动态定义要创建的元素的名称。
跟进:如果您只想按照建议使用h1-h6,可以这样做:
<xsl:template match="title">
<xsl:variable name="hierarchy" select="count(ancestor::section)"/>
<xsl:variable name="heading">h<xsl:value-of select="$hierarchy" /></xsl:variable>
<xsl:choose>
<xsl:when test="$hierarchy > 6">
<h6 class="{$heading}"><xsl:value-of select="." /></h6>
</xsl:when>
<xsl:otherwise>
<xsl:element name="{$heading}">
<xsl:value-of select="." />
</xsl:element>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
对于嵌套深度超过6的任何内容,此表达式使用<h6 class="h...">
。对于所有其他层次结构级别,它使用<h1>
到<h6>
。
答案 1 :(得分:1)
这应该做的工作:
<xsl:stylesheet
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
version="1.0">
<xsl:template match="/">
<html><header>
<xsl:apply-templates/>
</header></html>
</xsl:template>
<xsl:template match="title">
<h2><xsl:value-of select="." /></h2>
</xsl:template>
<xsl:template match="para">
<p><xsl:value-of select="." /></p>
</xsl:template>
</xsl:stylesheet>
对于展平,您不需要调用模板。
如果您使用call-template
移交某些属性,请参阅here