我正在使用XSLT 1.0,并尝试删除所有前导零并在最后2个数字之前添加小数点。字符数将始终相同。
示例:
我使用format-number()进行读取是一个选项,但是我不希望进行任何舍入。任何想法如何做到这一点? 谢谢!
答案 0 :(得分:0)
您应该能够使用format-number()
而无需四舍五入...
XML输入
<doc>
<test>0001094125</test>
<test>0000042000</test>
<test>0000040458</test>
<test>0000153800</test>
</doc>
XSLT 1.0
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="test">
<xsl:copy>
<xsl:value-of select="format-number(normalize-space() div 100,'#.00')"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
输出
<doc>
<test>10941.25</test>
<test>420.00</test>
<test>404.58</test>
<test>1538.00</test>
</doc>
正在工作的小提琴:http://xsltfiddle.liberty-development.net/3NzcBu8/1
或者,您可以格式化数字以删除前导零,然后可以使用substring()组合字符串的第一部分,小数点和字符串的最后部分(基于字符串长度)。
示例...
XSLT 1.0
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="test">
<xsl:copy>
<xsl:variable name="nbr" select="format-number(normalize-space(),'#')"/>
<xsl:variable name="length" select="string-length($nbr)"/>
<xsl:value-of
select="concat(substring($nbr,1,$length - 2),'.',substring($nbr, $length - 1))"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
输出
<doc>
<test>10941.25</test>
<test>420.00</test>
<test>404.58</test>
<test>1538.00</test>
</doc>