由于“sum()”函数正在添加XML页中的所有值,而不是“if”语句选择的值,因此不确定如何执行此操作。
以下是XML:

<book>
    <title type="non-fiction">Harry Potter and the Philosophers Stone</title>
    <author>J.K Rowling</author>
    <publisher>Bloomsbury</publisher>
    <year>1997</year>
    <price>12.99</price>
</book>

<book>
    <title type="fiction">The Lord of the Rings</title>
    <author>J. R. R. Tolkien</author>
    <publisher>George Allen and Unwin</publisher>
    <year>1954</year>
    <price>39.99</price>
</book>

<book>
    <title type="non-fiction">The Right Stuff</title>
    <author>Tom Wolfe</author>
    <publisher>Farra, Staus and Giroux</publisher>
    <year>1979</year>
    <price>29.99</price>
</book>

下面是XSLT:
  <xsl:output
method="html"
indent="yes"
version="4.0"
doctype-public="-//W3C//DTD HTML 4.01//EN"
doctype-system="http://www.w3.org/TR/html4/strict.dtd"/>

<xsl:template match="/library">
<html>
<body>
    <xsl:for-each select="book">
        <xsl:if test="title[@type='non-fiction']">
            <xsl:if test="price&lt;30" >
                <p class="title"> <xsl:value-of select="title"/></p>
                <p class="author"> <xsl:value-of select="author"/> </p>
                <p class="price"> <xsl:value-of select="price"/> </p>
            </xsl:if>
        </xsl:if>
    </xsl:for-each>
</body>

我想加上所有符合条件的书的总数。我假设sum函数可以做到这一点,但是它添加了所有的书籍,不管它是否传递了“if”语句。

最佳答案

一种可能是
一个节点集变量,它保存所有要打印的书籍,
然后在节点集上循环以打印书本,
最后用和函数来计算总价。
例如。

<body>
    <xsl:variable name="books" select="book[title[@type='non-fiction']][price&lt;30]" />
    <xsl:for-each select="$books">
        <p class="title"> <xsl:value-of select="title"/></p>
        <p class="author"> <xsl:value-of select="author"/> </p>
        <p class="price"> <xsl:value-of select="price"/> </p>
    </xsl:for-each>
    <p class="total-price"> <xsl:value-of select="sum($books/price)"/> </p>
</body>

10-04 14:19