例如,我需要将6.688689舍入到6.7,但它总是显示7。

我的方法:

Math.round(6.688689);
//or
Math.round(6.688689, 1);
//or 
Math.round(6.688689, 2);

但结果总是一样的7…我做错了什么?


当前回答

使用toFixed()函数。

(6.688689).toFixed(); // equal to "7"
(6.688689).toFixed(1); // equal to "6.7"
(6.688689).toFixed(2); // equal to "6.69"

其他回答

使用toFixed()函数。

(6.688689).toFixed(); // equal to "7"
(6.688689).toFixed(1); // equal to "6.7"
(6.688689).toFixed(2); // equal to "6.69"
+((6.688689 * (1 + Number.EPSILON)).toFixed(1)); // 6.7
+((456.1235 * (1 + Number.EPSILON)).toFixed(3)); // 456.124

还有另一个. tolocalestring()来格式化数字,有很多关于地区、分组、货币格式和符号的选项。一些例子:


四舍五入到小数点后1,返回一个浮点数:

Const n = +6.688689。toLocaleString (fullwide, {maximumFractionDigits: 1}) console.log ( N类型的N )


四舍五入至2位小数,格式为带有指定符号的货币,千位使用逗号分组:

console.log ( 68766.688689.toLocaleString('fullwide', {maximumFractionDigits:2, style:'currency', currency:'USD', useGrouping:true}) )


格式为区域货币:

console.log ( 68766.688689.toLocaleString('fr-FR', {maximumFractionDigits:2, style:'currency', currency:'EUR'}) )


四舍五入到最小3位小数,强制0显示:

游戏机。log ( 6.000000.toLocaleString(’fullwide’,(minimumFractionDigits: 3)) )


百分比风格的比率。输入* 100,带%符号

游戏机。log ( 6.688689.toLocaleString(' fullwed ') )

> +(6.688687).toPrecision(2)
6.7

JavaScript中的Number对象有一个方法,它可以完全满足您的需要。该方法是Number.toPrecision([precision])。

就像. tofixed(1)一样,它将结果转换为字符串,并且需要将其转换回数字。这里使用+前缀完成。

在我的笔记本电脑上进行简单的基准测试:

number = 25.645234 typeof number
50000000 x number.toFixed(1) = 25.6 typeof string / 17527ms
50000000 x +(number.toFixed(1)) = 25.6 typeof number / 23764ms
50000000 x number.toPrecision(3) = 25.6 typeof string / 10100ms
50000000 x +(number.toPrecision(3)) = 25.6 typeof number / 18492ms
50000000 x Math.round(number*10)/10 = 25.6 typeof number / 58ms
string = 25.645234 typeof string
50000000 x Math.round(string*10)/10 = 25.6 typeof number / 7109ms

如果你不仅想在浮动上使用toFixed(),而且还想使用ceil()和floor(),那么你可以使用以下函数:

function roundUsing(func, number, prec) {
    var tempnumber = number * Math.pow(10, prec);
    tempnumber = func(tempnumber);
    return tempnumber / Math.pow(10, prec);
}

生产:

> roundUsing(Math.floor, 0.99999999, 3)
0.999
> roundUsing(Math.ceil, 0.1111111, 3)
0.112

UPD:

另一种可能的方式是:

Number.prototype.roundUsing = function(func, prec){
    var temp = this * Math.pow(10, prec)
    temp = func(temp);
    return temp / Math.pow(10, prec)
}

生产:

> 6.688689.roundUsing(Math.ceil, 1)
6.7
> 6.688689.roundUsing(Math.round, 1)
6.7
> 6.688689.roundUsing(Math.floor, 1)
6.6