四舍五入到小数点后两位

Rounding number to two decimal places

嗨伙计们, 我有一种情况,我想将数字四舍五入到小数点后两位。我将举一个例子和我尝试过的方法。

假设我有 15.07567 把它四舍五入我做了:

price = Math.round(15.07567 * 100) / 100;

// 我得到 15.08

但是如果我们有以 0 结尾的数字(示例 15.10)并且我们想要两位小数,这就会出现问题。

price = Math.round(15.10 * 100) / 100;

//15.1

嗯,所以我尝试使用 toFixed()

price = Math.round(15.10 * 100) / 100;
total = price.toFixed(2);

// 我得到“15.10”,这很好,但是它 returns 是一个字符串,以后可能会给我带来问题,所以我尝试用以下方法解决这个问题:

price = Math.round(15.10 * 100) / 100;
total = price.toFixed(2);
Number(total)  //or  parseFloat(total)

// 我得到 15.1 并且绕着圈子走?

正如乔丹所说。当 JavaScript 显示数字时,它会删除 0。我只是按原样存储值,当您显示它时,运行 它通过 .toFixed(2) 以便它正确显示。或者更好的是,找到一个货币格式化程序,因为这似乎是您要显示的内容并在视图端使用它。

这是一个不错的货币格式化脚本。

Number.prototype.formatMoney = function(c, d='.', t=','){
    var n = this, 
    c = isNaN(c = Math.abs(c)) ? 2 : c, 
    d = d == undefined ? "." : d, 
    t = t == undefined ? "," : t, 
    s = n < 0 ? "-" : "", 
    i = parseInt(n = Math.abs(+n || 0).toFixed(c)) + "", 
    j = (j = i.length) > 3 ? j % 3 : 0;
    return s + (j ? i.substr(0, j) + t : "") + i.substr(j).replace(/(\d{3})(?=\d)/g, "" + t) + (c ? d + Math.abs(n - i).toFixed(c).slice(2) : "");
};

然后您可以使用以下代码以面向对象的方式使用它:

price.formatMoney(2);

或者,如果您想为欧洲指定千位和小数点分隔符。

price.formatMoney(2, ',', '.');

如果要显示右边的0,需要用String表示数字...

始终保留您的数字,当您通过 toFixed 运行 显示它们以获得所需的显示格式时,您将拥有一个字符串格式的现成值。由于该方法是必需的,因此设计用于显示目的,函数 returns 一个现成的字符串而不是数字。