我是xsl转换的新手,我有一个问题.我循环遍历这样的xml:
<PO>
<Items>
<Item>
<Price>2</Price>
<Quantity>5</Quantity>
</Item>
<Item>
<Price>3</Price>
<Quantity>2</Quantity>
</Item>
</Items>
<QuantityTotal></QuantityTotal>
</PO>
Run Code Online (Sandbox Code Playgroud)
现在我想在QuantityTotal节点中插入一个值:
该值是所有项目的价格*数量的总和,在这种情况下(2*5)+(3*2)= 16我怎么能这样做,我试过了有一个循环和变量,但变量是不可变的,所以我不知道如何实现这一点.
谢谢你的帮助
这是一个 XSLT 解决方案——不需要扩展函数:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output omit-xml-declaration="yes" indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="QuantityTotal">
<xsl:copy>
<xsl:call-template name="sumProducts">
<xsl:with-param name="pNodes" select="../Items/Item"/>
</xsl:call-template>
</xsl:copy>
</xsl:template>
<xsl:template name="sumProducts">
<xsl:param name="pNodes"/>
<xsl:param name="pSum" select="0"/>
<xsl:param name="pEname1" select="'Price'"/>
<xsl:param name="pEname2" select="'Quantity'"/>
<xsl:choose>
<xsl:when test="not($pNodes)">
<xsl:value-of select="$pSum"/>
</xsl:when>
<xsl:otherwise>
<xsl:call-template name="sumProducts">
<xsl:with-param name="pNodes" select=
"$pNodes[position() > 1]"/>
<xsl:with-param name="pSum" select=
"$pSum
+
$pNodes[1]/*[name()=$pEname1]
*
$pNodes[1]/*[name()=$pEname2]
"/>
</xsl:call-template>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>
Run Code Online (Sandbox Code Playgroud)
当此转换应用于提供的 XML 文档时:
<PO>
<Items>
<Item>
<Price>2</Price>
<Quantity>5</Quantity>
</Item>
<Item>
<Price>3</Price>
<Quantity>2</Quantity>
</Item>
</Items>
<QuantityTotal></QuantityTotal>
</PO>
Run Code Online (Sandbox Code Playgroud)
产生了想要的结果:
<PO>
<Items>
<Item>
<Price>2</Price>
<Quantity>5</Quantity>
</Item>
<Item>
<Price>3</Price>
<Quantity>2</Quantity>
</Item>
</Items>
<QuantityTotal>16</QuantityTotal>
</PO>
Run Code Online (Sandbox Code Playgroud)