你能四舍五入一个数字在javascript小数点后1个字符(适当四舍五入)?
我尝试了*10,四舍五入,/10,但它在int的末尾留下了两个小数。
你能四舍五入一个数字在javascript小数点后1个字符(适当四舍五入)?
我尝试了*10,四舍五入,/10,但它在int的末尾留下了两个小数。
当前回答
var num = 34.7654;
num = Math.round(num * 10) / 10;
console.log(num); // Logs: 34.8
其他回答
数学。Round (num * 10) / 10工作,这里是一个例子…
var number = 12.3456789
var rounded = Math.round(number * 10) / 10
// rounded is 12.3
如果你想让它有一个小数点,即使它是0,然后加…
var fixed = rounded.toFixed(1)
// fixed is always to 1 d.p.
// NOTE: .toFixed() returns a string!
// To convert back to number format
parseFloat(number.toFixed(2))
// 12.34
// but that will not retain any trailing zeros
// So, just make sure it is the last step before output,
// and use a number format during calculations!
编辑:添加圆与精度功能…
使用这个原理,作为参考,这里有一个方便的小圆函数,它需要精度…
function round(value, precision) {
var multiplier = Math.pow(10, precision || 0);
return Math.round(value * multiplier) / multiplier;
}
... 使用……
round(12345.6789, 2) // 12345.68
round(12345.6789, 1) // 12345.7
... 默认舍入到最接近的整数(精度为0)…
round(12345.6789) // 12346
... 可以四舍五入到最接近的10或100等…
round(12345.6789, -1) // 12350
round(12345.6789, -2) // 12300
... 正确处理负数……
round(-123.45, 1) // -123.4
round(123.45, 1) // 123.5
... 并且可以与toFixed结合使用,以一致的格式作为字符串…
round(456.7, 2).toFixed(2) // "456.70"
var number = 123.456;
console.log(number.toFixed(1)); // should round to 123.5
var num = 34.7654;
num = Math.round(num * 10) / 10;
console.log(num); // Logs: 34.8
试试这个:
var original=28.453
// 1.- round "original" to two decimals
var result = Math.round (original * 100) / 100 //returns 28.45
// 2.- round "original" to 1 decimal
var result = Math.round (original * 10) / 10 //returns 28.5
// 3.- round 8.111111 to 3 decimals
var result = Math.round (8.111111 * 1000) / 1000 //returns 8.111
不那么复杂,更容易实现……
有了这个,你可以创建一个函数来做:
function RoundAndFix (n, d) {
var m = Math.pow (10, d);
return Math.round (n * m) / m;
}
函数RoundAndFix (n, d) { var m =数学。Pow (10, d); 返回数学。圆(n * m) / m; } console.log (RoundAndFix(8.111111, 3));
编辑:看这个如何四舍五入使用四舍五入一半。四舍五入模式是我们大多数人在小学时学到的
我找到了一个避免精度问题的方法:
function badRound (num, precision) {
const x = 10 ** precision;
return Math.round(num * x) / x
}
// badRound(1.005, 2) --> 1
function round (num, precision) {
const x = 10 ** (precision + 1);
const y = 10 ** precision;
return Math.round(Math.round(num * x) / 10) / y
}
// round(1.005, 2) --> 1.01