我有一个问题,我需要从XML生成HTML,并且可以彼此嵌套多个标签。我该如何通过递归将它们全部传递?
这是XML的样本:
<rows>
<row>
<cell>1</cell>
<cell>2</cell>
<cell>1</cell>
<cell>2</cell>
<row>
<cell>3</cell>
<cell>4</cell>
<row>
<cell>5</cell>
<cell>6</cell>
<cell>6</cell>
</row>
</row>
</row>
</rows>
我的XSLT是:
<table>
<th>1</th><th>2</th>3<th>4</th><th>5</th>
<xsl:for-each select="rows/row">
<tr>
<xsl:for-each select="cell">
<td>
<xsl:value-of select="."/>
</td>
</xsl:for-each>
</tr>
<xsl:for-each select="row">
<tr>
<xsl:for-each select="cell">
<td>
<xsl:value-of select="."/>
</td>
</xsl:for-each>
</tr>
</xsl:for-each>
</xsl:for-each>
</table>
所以我现在的问题是如何显示每一行的所有侵犯?
编辑:从XSLT生成的HTML
<html><body>
<table>
<th>1</th>
<th>2</th>
<th>3</th>
<th>4</th>
<th>5</th>
<tr>
<td>1</td>
<td>2</td>
<td>1</td>
<td>2</td>
</tr>
<tr>
<td>3</td>
<td>4</td>
</tr>
</table>
</body></html>
第二次编辑:
XSLT:
<xsl:template match="cell">
<td style="overflow:hidden;border:1px solid black;">
<div style="width:100px;height:20px;margin-bottom: 10px;margin-top: 10px;">
<xsl:variable name="id1" select="row/@id"/>
<xsl:if test="starts-with(id1, 'Dir')">
<xsl:value-of select="cell/@image"/>
</xsl:if>
<xsl:value-of select="."/>
</div>
</td>
</xsl:template>
XML:
<row id="Dir_44630">
<cell>Text</cell>
<cell>1</cell>
<cell>1.00</cell>
<cell>3</cell>
<cell 4</cell>
<cell>5</cell>
<cell>6</cell>
<cell>7</cell>
</row>
首先,在您的情况下,您将拥有一个模板以匹配root 行 element
开始<xsl:template match="/rows">
在此中,您必须进行编码才能构建表标头,然后开始寻找孩子 row Elements
<xsl:template match="/rows">
<table>
<!-- Header -->
<xsl:apply-templates select="row"/>
</table>
</xsl:template>
然后,您将有一个模板可以匹配行元素,因此您可以输出 tr 元素,然后查找单个单元格
<xsl:template match="row">
<tr>
<xsl:apply-templates select="cell"/>
</tr>
<xsl:apply-templates select="row"/>
</xsl:template>
请注意,递归电话要继续寻找 row 嵌套在当前行中的元素 element。
同样,您将有一个模板可以匹配 cell 元素,该元素只会输出 td 元素和单元格值。
我唯一不确定的是您确切应该输出哪些行的规则。看起来您不想输出行嵌套两个或多个级别的元素。在这种情况下,您可以添加一个模板以忽略至少有两个或更多行的行是祖先
<xsl:template match="row[ancestor::row[2]]"/>
这是完整的XSLT
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="html" indent="yes"/>
<xsl:template match="/rows">
<table>
<tr>
<th>1</th>
<th>2</th>
<th>3</th>
<th>4</th>
<th>5</th>
</tr>
<xsl:apply-templates select="row"/>
</table>
</xsl:template>
<xsl:template match="row">
<tr>
<xsl:apply-templates select="cell"/>
</tr>
<xsl:apply-templates select="row"/>
</xsl:template>
<xsl:template match="row[ancestor::row[2]]"/>
<xsl:template match="cell">
<td>
<xsl:value-of select="."/>
</td>
</xsl:template>
</xsl:stylesheet>
应用于样品XML时,以下是输出
<table>
<tr>
<th>1</th>
<th>2</th>
<th>3</th>
<th>4</th>
<th>5</th>
</tr>
<tr>
<td>1</td>
<td>2</td>
<td>1</td>
<td>2</td>
</tr>
<tr>
<td>3</td>
<td>4</td>
</tr>
</table>
编辑:如果要从模板中访问行 element上的属性,该模板与 cell 元素匹配的模板中,您需要指定它是父元素,喜欢
<xsl:variable name="id1" select="../@id"/>
进行select="row/@id"
实际上会寻找当前单元格元素的孩子的行。