XML文件:
<item>
<item_price>56</item_price>
<gst>10</gst>
</item>
<item>
<item_price>75</item_price>
<gst>10</gst>
</item>
<item>
<item_price>99</item_price>
<gst>10</gst>
</item>
我需要使用XSLT对每个(item_price * gst)求和
我设法通过对每个循环使用来获得输出:
<xsl:for-each select="/item">
<xsl:value-of select="item_price*gst"/>
</xsl:for-each>
我的假设可能与相似,但似乎没有用:
感谢您的帮助:)
答案 0 :(得分:2)
根据您使用的XSLT处理器,对于XSLT 1.0和XSLT 2.0,解决方案有所不同。
XSLT 1.0
对于XSLT 1.0,您需要使用一个递归模板,该模板将跟踪重复的item_price
节点的乘积累积值(gst
* <item>
)。 / p>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" />
<xsl:strip-space elements="*" />
<xsl:template match="items">
<sum>
<xsl:call-template name="sumItems">
<xsl:with-param name="nodeSet" select="item" />
</xsl:call-template>
</sum>
</xsl:template>
<xsl:template name="sumItems">
<xsl:param name="nodeSet" />
<xsl:param name="tempSum" select="0" />
<xsl:choose>
<xsl:when test="not($nodeSet)">
<xsl:value-of select="$tempSum" />
</xsl:when>
<xsl:otherwise>
<xsl:variable name="product" select="$nodeSet[1]/item_price * $nodeSet[1]/gst" />
<xsl:call-template name="sumItems">
<xsl:with-param name="nodeSet" select="$nodeSet[position() > 1]" />
<xsl:with-param name="tempSum" select="$tempSum + $product" />
</xsl:call-template>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>
XSLT 2.0
对于XSLT 2.0,可以使用sum(item/(item_price * gst))
表达式来计算乘积之和。
<xsl:stylesheet version="2.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" >
<xsl:output method="xml" indent="yes" />
<xsl:strip-space elements="*" />
<xsl:template match="items">
<sum>
<xsl:value-of select="sum(item/(item_price * gst))" />
</sum>
</xsl:template>
</xsl:stylesheet>
在两种情况下,您都将获得sum
作为
<sum>2300</sum>