使用toFixed(2)和数学轮来获得正确的舍入

时间:2010-05-18 20:47:47

标签: javascript rounding

我想找到一个返回这种格式化值的函数:

1.5555 => 1.55
1.5556 => 1.56
1.5554 => 1.55
1.5651 => 1.56

toFixed()和math round返回此值:

1.5651.fixedTo(2) => 1.57

这对于金钱四舍五入很有用。

3 个答案:

答案 0 :(得分:6)

这个怎么样?

function wacky_round(number, places) {
    var multiplier = Math.pow(10, places+2); // get two extra digits
    var fixed = Math.floor(number*multiplier); // convert to integer
    fixed += 44; // round down on anything less than x.xxx56
    fixed = Math.floor(fixed/100); // chop off last 2 digits
    return fixed/Math.pow(10, places);
}
  

1.5554 => 1.55

     

1.5555 => 1.55

     

1.5556 => 1.56

     

1.5651 => 1.56

所以,这有效,但我认为你会发现这不是一种普遍接受的回合方式。 http://en.wikipedia.org/wiki/Rounding#Tie-breaking

答案 1 :(得分:2)

标准功能

fixedTo = function (number, n) {
  var k = Math.pow(10, n);
  return (Math.round(number * k) / k);
}

然后致电

fixedTo(1.5555, 2)  // 1.56
fixedTo(1.5555, 2)  // 1.556
fixedTo(0.615, 2)   // 0.62

答案 2 :(得分:0)

您可以使用本机Number.toFixed()方法。

parseFloat(10.159.toFixed(2))

以上返回10.16。 Number.toFixed()返回一个字符串,因此我使用parseFloat将其转换为数字。