如何四舍五入浮点数在javascript?

例如,我需要舍入6.6886896.7,但它总是显示我7

我的方法:

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

但是结果总是相同的7…我做错了什么?

479255 次浏览
Number((6.688689).toFixed(1)); // 6.7
var number = 6.688689;
var roundedNumber = Math.round(number * 10) / 10;

见下文

var original = 28.59;

var result=Math.round(original*10)/10将返回你返回28.6

希望这就是你想要的。

使用toFixed()函数。

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

乌利希期刊指南(2019 - 10)。感谢下面的Reece丹尼尔斯代码,现在可以作为一组函数打包在npm-package 预期的一轮中(看一看)。


你可以从MDN例子中使用helper函数。你会有更多的灵活性:

Math.round10(5.25, 0);  // 5
Math.round10(5.25, -1); // 5.3
Math.round10(5.25, -2); // 5.25
Math.round10(5, 0);     // 5
Math.round10(5, -1);    // 5
Math.round10(5, -2);    // 5

乌利希期刊指南(2019-01-15)。似乎MDN文档不再有这个助手功能。以下是示例备份:

// Closure
(function() {
/**
* Decimal adjustment of a number.
*
* @param {String}  type  The type of adjustment.
* @param {Number}  value The number.
* @param {Integer} exp   The exponent (the 10 logarithm of the adjustment base).
* @returns {Number} The adjusted value.
*/
function decimalAdjust(type, value, exp) {
// If the exp is undefined or zero...
if (typeof exp === 'undefined' || +exp === 0) {
return Math[type](value);
}
value = +value;
exp = +exp;
// If the value is not a number or the exp is not an integer...
if (isNaN(value) || !(typeof exp === 'number' && exp % 1 === 0)) {
return NaN;
}
// If the value is negative...
if (value < 0) {
return -decimalAdjust(type, -value, exp);
}
// Shift
value = value.toString().split('e');
value = Math[type](+(value[0] + 'e' + (value[1] ? (+value[1] - exp) : -exp)));
// Shift back
value = value.toString().split('e');
return +(value[0] + 'e' + (value[1] ? (+value[1] + exp) : exp));
}


// Decimal round
if (!Math.round10) {
Math.round10 = function(value, exp) {
return decimalAdjust('round', value, exp);
};
}
// Decimal floor
if (!Math.floor10) {
Math.floor10 = function(value, exp) {
return decimalAdjust('floor', value, exp);
};
}
// Decimal ceil
if (!Math.ceil10) {
Math.ceil10 = function(value, exp) {
return decimalAdjust('ceil', value, exp);
};
}
})();

使用例子:

// Round
Math.round10(55.55, -1);   // 55.6
Math.round10(55.549, -1);  // 55.5
Math.round10(55, 1);       // 60
Math.round10(54.9, 1);     // 50
Math.round10(-55.55, -1);  // -55.5
Math.round10(-55.551, -1); // -55.6
Math.round10(-55, 1);      // -50
Math.round10(-55.1, 1);    // -60
Math.round10(1.005, -2);   // 1.01 -- compare this with Math.round(1.005*100)/100 above
Math.round10(-1.005, -2);  // -1.01
// Floor
Math.floor10(55.59, -1);   // 55.5
Math.floor10(59, 1);       // 50
Math.floor10(-55.51, -1);  // -55.6
Math.floor10(-51, 1);      // -60
// Ceil
Math.ceil10(55.51, -1);    // 55.6
Math.ceil10(51, 1);        // 60
Math.ceil10(-55.59, -1);   // -55.5
Math.ceil10(-59, 1);       // -50

我认为这个函数会有帮助。

 function round(value, ndec){
var n = 10;
for(var i = 1; i < ndec; i++){
n *=10;
}


if(!ndec || ndec <= 0)
return Math.round(value);
else
return Math.round(value * n) / n;
}




round(2.245, 2) //2.25
round(2.245, 0) //2

如果你不仅想在浮点数上使用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

乌利希期刊指南:

另一种可能的方式是:

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
> +(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
float(value,ndec);
function float(num,x){
this.num=num;
this.x=x;
var p=Math.pow(10,this.x);
return (Math.round((this.num).toFixed(this.x)*p))/p;
}

我认为下面的功能可以帮助

function roundOff(value,round) {
return (parseInt(value * (10 ** (round + 1))) - parseInt(value * (10 ** round)) * 10) > 4 ? (((parseFloat(parseInt((value + parseFloat(1 / (10 ** round))) * (10 ** round))))) / (10 ** round)) : (parseFloat(parseInt(value * (10 ** round))) / ( 10 ** round));
}

用法:roundOff(600.23458,2);将返回600.23

如果你在node.js上下文中,你可以尝试mathjs

const math = require('mathjs')
math.round(3.1415926, 2)
// result: 3.14

如果你现在正在使用Browserify,你将不得不尝试:roundTo一个非常有用的NPM库

我的扩展圆函数:

function round(value, precision) {
if (Number.isInteger(precision)) {
var shift = Math.pow(10, precision);
// Limited preventing decimal issue
return (Math.round( value * shift + 0.00000000000001 ) / shift);
} else {
return Math.round(value);
}
}

示例输出:

round(123.688689)     // 123
round(123.688689, 0)  // 123
round(123.688689, 1)  // 123.7
round(123.688689, 2)  // 123.69
round(123.688689, -2) // 100
round(1.015, 2) // 1.02

这个答案的小调整:

function roundToStep(value, stepParam) {
var step = stepParam || 1.0;
var inv = 1.0 / step;
return Math.round(value * inv) / inv;
}


roundToStep(2.55, 0.1) = 2.6
roundToStep(2.55, 0.01) = 2.55
roundToStep(2, 0.01) = 2

还有另一种.toLocaleString ()来格式化数字,它有很多关于语言环境、分组、货币格式和符号的选项。一些例子:


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

const n = +6.688689.toLocaleString('fullwide', {maximumFractionDigits:1})
console.log(
n, typeof n
)


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

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


格式为locale currency:

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


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

console.log(
6.000000.toLocaleString('fullwide', {minimumFractionDigits:3})
)


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

console.log(
6.688689.toLocaleString('fullwide', {maximumFractionDigits:2, style:'percent'})
)

我有很好的解决方案,如果toFixed()不工作。

function roundOff(value, decimals) {
return Number(Math.round(value+'e'+decimals)+'e-'+decimals);
}

例子

roundOff(10.456,2) //output 10.46
+((6.688689 * (1 + Number.EPSILON)).toFixed(1)); // 6.7
+((456.1235 * (1 + Number.EPSILON)).toFixed(3)); // 456.124
Math.round((6.688689 + Number.EPSILON) * 10) / 10

解从https://stackoverflow.com/a/11832950/2443681偷来

这应该适用于几乎任何浮点值。它不强制十进制计数。目前尚不清楚这是否是一项要求。应该比使用toFixed()更快,根据对其他答案的注释,它也有其他问题。

一个很好的实用函数来四舍五入所需的十进制精度:

const roundToPrecision = (value, decimals) => {
const pow = Math.pow(10, decimals);
return Math.round((value + Number.EPSILON) * pow) / pow;
};
< p > 如何正确舍入小数在一个数字(基础): < br > 我们从最右边的数字开始:

  • 如果这个数字是>=5 需要四舍五入,那么我们将向左边的第一个数字报告1。< br >
  • 如果这个数字是<5意味着没有舍入

一旦您知道是否需要报告一个值,您就可以删除最后一个数字并重复该操作。

  • 如果有要报告的值,则首先将其添加到最右侧的新数字,然后再重复前面的测试。

当心有一个特殊情况 当您需要报告一个值并且必须添加到该值的数字为时 9:在这种情况下,你必须在报告下面左边数字的1之前更改0的数字值。

对于一些失败的答案,它看起来像小数是从左到右分裂对于所需数量的小数,甚至不关心舍入。

这里的既然已经说了是一个函数,它将使用上述逻辑递归地舍入所提供的float值。

function roundFloatR(n, precision = 0, opts = { return: 'number' }) { // Use recursivity


if ( precision == 0 ) { // n will be rounded to the closest integer


if (opts.return == 'number') return Math.round(n);
else if (opts.return == 'string') return `${Math.round(n)}`;
    

} else {


let ns = `${n}`.split(''); // turns float into a string before splitting it into a char array


if ( precision < 0 ) { // precision is a negative number
precision += ns.length - 1; // precision equals last index of ns - its actual value


} else if ( precision > 0 ) { // precision is a positive number
if ( ns.indexOf('.') > -1 )
precision += ns.indexOf('.'); // precision equals its value + the index of the float separator in the string / array of char
}


// RECURSIVE FUNCTION: loop from the end of ns to the precision index while rounding the values
// index: index in the ns char array, rep: reported value, (INTERNAL_VAR, cn: current number)
const recursive = (index, rep) => {
let cn = parseInt(ns[index]); // get the current number from ns at index


if (index <= precision) { // current index inferior or equal to the defined precision index (end of rounding)


if (rep) { // if a reported value exists
cn += rep; // add reported value to current number


if (cn == 10) { // extends rounding for special case of decimals ending with 9 + reported value
ns[index] = '0';
recursive( (index - 1), 1 ); // calls recursive() again with a reported value


} else if (cn < 10)
ns[index] = `${cn}`;
}


} else if (index > precision) { // current index superior to defined precision index


ns.pop(); // each passage in this block will remove the last entry of ns
if (rep) cn += rep; // adds reported value (if it exists) to current number
                

if ( cn >= 5 ) // ROUNDING
recursive( (index - 1), 1 ); // calls recursive() again with a reported value


else  // NO ROUNDING
recursive( index - 1 ); // calls recursive() again w/o a reported value
}


}; // end of recursive()


recursive(ns.length - 1); // starts recursive rounding over the ns char array (arg is the last index of ns)


if (opts.return == "number") return parseFloat(ns.join('')); // returns float number
else if (opts.return == "string") return ns.join(''); // returns float number as string
}


} //
< p > 工作原理: < br > 我们首先将提供的float值转换为string,然后使用String.split('')指令将其分割为chararray

然后,我们将调用recursive()函数,以字符数组的最后一个索引作为参数,在值舍入时从该数组的最后一个索引迭代到精度索引。

< p > 参数说明: < br > 总共有3.参数,它们允许不同的功能
    <李> n: 要四舍五入的值(numberstring) <李> precision: [default = 0] < br > int,表示我们想要将提供的数字四舍五入到的小数的数量 有三种可能:
    • precision == 0:返回的值将与使用Math.round()方法相同
    • precision > 0:精度将从浮点分隔符索引+精度值定义
    • precision < 0:精度将从最后一个数字-精度值的索引中定义
  • opts: [default = {return: 'number'}]
    选项object带有一个名为return的唯一属性,它接受一个字符串值选项'number''string'。< br > 允许选择函数返回值的类型李< / >

第2和第3个参数是可选的

用法和示例:

使用浮点值 < br >

let n = 20.336099982261654;


let r = roundFloatR(n); // r = 20
r = roundFloatR(n, 2); // r = 20.34


r = roundFloatR(n, 6); // r = 20.3361
r = roundFloatR(n, 6, {return: 'string'}); // r = "20.336100"


// negative precision
r = roundFloatR(n, -2); // r = 20.3360999822617

使用字符串值 < br >

let n = '20.48490002346038';


let r = roundFloatR(n); // r = 20
r = roundFloatR(n, 2); // r = 20.49


r = roundFloatR(n, 6); // r = 20.4849
r = roundFloatR(n, 6, {return: 'string'}); // r = "20.484900"


// negative precision
r = roundFloatR(n, -10); // r = 20.4849
< p > 性能如何? < br > 大多数情况下,它会将提供的值转换为< .3 ms(用performance.now()测量)

不支持的内容和可能出现的问题: < br >

  • 不支持:指数类型值可能需要一些更改来支持它们。
  • 可能存在的问题:
    .
    • 一个负的precision值超过了提供的数字长度或它的浮点分隔符索引可能会导致意外的结果,因为这些情况尚未处理。
    • 没有错误处理,以防n参数不匹配当前要求。