我有以下存储电影和演员详情的XML文件:
<database
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:noNamespaceSchemaLocation="movies.xsd">
<movies>
<movie movieID="1">
<title>Movie 1</title>
<actors>
<actor actorID="1">
<name>Bob</name>
<age>32</age>
<height>182 cm</height>
</actor>
<actor actorID="2">
<name>Mike</name>
</actor>
</actors>
</movie>
</movies>
</database>
如果actor
元素包含多个子元素(在这种情况下是它的名称,年龄和高度),那么我想显示其名称
作为超链接。
但是,如果actor
元素只包含一个子元素(名称),则它应显示为纯文本。
XSLT:
<xsl:template match="/">
<div>
<xsl:apply-templates select="database/movies/movie"/>
</div>
</xsl:template>
<xsl:template match="movie">
<xsl:value-of select="concat('Title: ', title)"/>
<br />
<xsl:text>Actors: </xsl:text>
<xsl:apply-templates select="actors/actor" />
<br />
</xsl:template>
<xsl:template match="actor">
<xsl:choose>
<xsl:when test="actor[count(*) > 1]/name">
<a href="actor_details.php?actorID={@actorID}">
<xsl:value-of select="name"/>
</a>
<br/>
</xsl:when>
<xsl:otherwise>
<xsl:value-of select="name"/>
<br/>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
因此,在这种情况下,Bob应显示为超链接,并且Mike应显示为纯文本。但是,我的页面同时显示 鲍勃和迈克是纯文本。
答案 0 :(得分:20)
您的第一个 xsl:何时测试不正确
<xsl:when test="actor[count(*) > 1]/name">
你已经在这里定位了 actor 元素,所以这将寻找一个 actor 元素,它是当前 actor 元素,一无所获。
你可能只是想这样做
<xsl:when test="count(*) > 1">
或者,您可以这样做
<xsl:when test="*[2]">
,即第二个位置是否有一个元素(当你只想检查多个元素时,它会节省所有元素的计数),
或许您想检查当前 actor 元素是否包含名称以外的元素?
<xsl:when test="*[not(self::name)]">
顺便说一句,将测试放在模板匹配中可能会更好,而不是使用 xsl:choose 。
试试这个XSLT
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes" encoding="utf-8" omit-xml-declaration="no"/>
<xsl:template match="/">
<div>
<xsl:apply-templates select="database/movies/movie"/>
</div>
</xsl:template>
<xsl:template match="movie">
<xsl:value-of select="concat('Title: ', title)"/>
<br/>
<xsl:text>Actors: </xsl:text>
<xsl:apply-templates select="actors/actor"/>
<br/>
</xsl:template>
<xsl:template match="actor">
<xsl:value-of select="name"/>
<br/>
</xsl:template>
<xsl:template match="actor[*[2]]">
<a href="actor_details.php?actorID={@actorID}">
<xsl:value-of select="name"/>
</a>
<br/>
</xsl:template>
</xsl:stylesheet>
请注意,在此实例中,XSLT处理器应首先匹配更具体的模板。