I have the following dummy test script:
function test() {
var x = 0.1 * 0.2;
document.write(x);
}
test();
This will print the result 0.020000000000000004
while it should just print 0.02
(if you use your calculator). As far as I understood this is due to errors in the floating point multiplication precision.
Does anyone have a good solution so that in such case I get the correct result 0.02
? I know there are functions like toFixed
or rounding would be another possibility, but I'd like to really have the whole number printed without any cutting and rounding. Just wanted to know if one of you has some nice, elegant solution.
Of course, otherwise I'll round to some 10 digits or so.
46 Answers 46
From the Floating-Point Guide:
What can I do to avoid this problem?
That depends on what kind of calculations you’re doing.
- If you really need your results to add up exactly, especially when you work with money: use a special decimal datatype.
- If you just don’t want to see all those extra decimal places: simply format your result rounded to a fixed number of decimal places when displaying it.
- If you have no decimal datatype available, an alternative is to work with integers, e.g. do money calculations entirely in cents. But this is more work and has some drawbacks.
Note that the first point only applies if you really need specific precise decimal behaviour. Most people don't need that, they're just irritated that their programs don't work correctly with numbers like 1/10 without realizing that they wouldn't even blink at the same error if it occurred with 1/3.
If the first point really applies to you, use BigDecimal for JavaScript or DecimalJS, which actually solves the problem rather than providing an imperfect workaround.
-
14I noticed your dead link for BigDecimal and while looking for a mirror, I found an alternative called BigNumber: jsfromhell.com/classes/bignumberJacksonkr– Jacksonkr2011年12月01日 04:52:35 +00:00Commented Dec 1, 2011 at 4:52
-
5@bass-t: Yes, but floats can exactly represent integers up to the length of the significand, and as per ECMA standard it's a 64bit float. So it can exactly represent integers up to 2^52Michael Borgwardt– Michael Borgwardt2012年07月25日 13:15:35 +00:00Commented Jul 25, 2012 at 13:15
-
8@Karl: The decimal fraction 1/10 cannot be represented as a finite binary fraction in base 2, and that's what Javascript numbers are. So it is in fact exactly the same problem.Michael Borgwardt– Michael Borgwardt2014年12月23日 15:44:44 +00:00Commented Dec 23, 2014 at 15:44
-
34I learned today that even integers have precision problems in javascript. Consider that
console.log(9332654729891549)
actually prints9332654729891548
(ie off by one!)mlathe– mlathe2015年07月10日 21:01:19 +00:00Commented Jul 10, 2015 at 21:01 -
30@mlathe: Doh..
;P
... Between25²
=4,503,599,627,370,496
and25³
=9,007,199,254,740,992
the representable numbers are exactly the integers. For the next range, from25³
to254
, everything is multiplied by2
, so the representable numbers are the even ones, etc. Conversely, for the previous range from25¹
to25²
, the spacing is0.5
, etc. This is due to simply increasing|decreasing the base|radix 2|binary exponent in/of the 64-bit float value (which in turn explains the rarely documented 'unexpected' behavior oftoPrecision()
for values between0
and1
).GitaarLAB– GitaarLAB2016年03月02日 19:42:11 +00:00Commented Mar 2, 2016 at 19:42
I like Pedro Ladaria's solution and use something similar.
function strip(number) {
return (parseFloat(number).toPrecision(12));
}
Unlike Pedros solution this will round up 0.999...repeating and is accurate to plus/minus one on the least significant digit.
Note: When dealing with 32 or 64 bit floats, you should use toPrecision(7) and toPrecision(15) for best results. See this question for info as to why.
-
34Any reason why you picked 12?qwertymk– qwertymk2015年12月27日 01:09:39 +00:00Commented Dec 27, 2015 at 1:09
-
34
toPrecision
returns a string instead of a number. This might not always be desirable.SStanley– SStanley2016年03月13日 23:42:06 +00:00Commented Mar 13, 2016 at 23:42 -
12parseFloat(1.005).toPrecision(3) => 1.00Peter– Peter2016年05月27日 11:27:37 +00:00Commented May 27, 2016 at 11:27
-
5@user2428118, I know, I meant to show the rounding error, The outcome is 1.00 instead of 1.01Peter– Peter2016年07月09日 07:39:45 +00:00Commented Jul 9, 2016 at 7:39
-
23What @user2428118 said may not be obvious enough:
(9.99*5).toPrecision(2)
= 50 instead of 49.95 because toPrecision counts the whole number, not just decimals. You can then usetoPrecision(4)
, but if your result is >100 then you're out of luck again, because it'll allow the first three numbers and one decimal, that way shifting the dot, and rendering this more or less unusable. I ended up usingtoFixed(2)
insteadᴍᴇʜᴏᴠ– ᴍᴇʜᴏᴠ2018年11月15日 11:38:30 +00:00Commented Nov 15, 2018 at 11:38
For the mathematically inclined: http://docs.oracle.com/cd/E19957-01/806-3568/ncg_goldberg.html
The recommended approach is to use correction factors (multiply by a suitable power of 10 so that the arithmetic happens between integers). For example, in the case of 0.1 * 0.2
, the correction factor is 10
, and you are performing the calculation:
> var x = 0.1
> var y = 0.2
> var cf = 10
> x * y
0.020000000000000004
> (x * cf) * (y * cf) / (cf * cf)
0.02
A (very quick) solution looks something like:
var _cf = (function() {
function _shift(x) {
var parts = x.toString().split('.');
return (parts.length < 2) ? 1 : Math.pow(10, parts[1].length);
}
return function() {
return Array.prototype.reduce.call(arguments, function (prev, next) { return prev === undefined || next === undefined ? undefined : Math.max(prev, _shift (next)); }, -Infinity);
};
})();
Math.a = function () {
var f = _cf.apply(null, arguments); if(f === undefined) return undefined;
function cb(x, y, i, o) { return x + f * y; }
return Array.prototype.reduce.call(arguments, cb, 0) / f;
};
Math.s = function (l,r) { var f = _cf(l,r); return (l * f - r * f) / f; };
Math.m = function () {
var f = _cf.apply(null, arguments);
function cb(x, y, i, o) { return (x*f) * (y*f) / (f * f); }
return Array.prototype.reduce.call(arguments, cb, 1);
};
Math.d = function (l,r) { var f = _cf(l,r); return (l * f) / (r * f); };
In this case:
> Math.m(0.1, 0.2)
0.02
I definitely recommend using a tested library like SinfulJS
-
2Il love this elegant workaround but seems not to be perfect: jsfiddle.net/Dm6F5/1 Math.a(76.65, 38.45) returns 115.10000000000002nicolallias– nicolallias2014年04月16日 12:29:23 +00:00Commented Apr 16, 2014 at 12:29
-
4Math.m(10,2332226616) is giving me "-19627406800" which is a negative value... I hope there must be a upper limit - might be that is causing this issue. Please suggestShiva Komuravelly– Shiva Komuravelly2014年07月15日 06:07:48 +00:00Commented Jul 15, 2014 at 6:07
-
2This all looks great, but seems to have a mistake or two in there somewhere.MrYellow– MrYellow2015年03月12日 02:50:21 +00:00Commented Mar 12, 2015 at 2:50
-
14Very quick solution he said...broken fix no one ever said.Cozzbie– Cozzbie2015年12月11日 13:27:28 +00:00Commented Dec 11, 2015 at 13:27
-
2this is really bad for performancestrix25– strix252022年09月20日 13:14:01 +00:00Commented Sep 20, 2022 at 13:14
Surprisingly, this function has not been posted yet although others have similar variations of it. It is from the MDN web docs for Math.round()
.
It's concise and allows for varying precision.
function precisionRound(number, precision) {
var factor = Math.pow(10, precision);
return Math.round(number * factor) / factor;
}
console.log(precisionRound(1234.5678, 1));
// expected output: 1234.6
console.log(precisionRound(1234.5678, -1));
// expected output: 1230
var inp = document.querySelectorAll('input');
var btn = document.querySelector('button');
btn.onclick = function(){
inp[2].value = precisionRound( parseFloat(inp[0].value) * parseFloat(inp[1].value) , 5 );
};
//MDN function
function precisionRound(number, precision) {
var factor = Math.pow(10, precision);
return Math.round(number * factor) / factor;
}
button{
display: block;
}
<input type='text' value='0.1'>
<input type='text' value='0.2'>
<button>Get Product</button>
<input type='text'>
UPDATE: Aug/20/2019
Just noticed this error. I believe it's due to a floating point precision error with Math.round()
.
precisionRound(1.005, 2) // produces 1, incorrect, should be 1.01
These conditions work correctly:
precisionRound(0.005, 2) // produces 0.01
precisionRound(1.0005, 3) // produces 1.001
precisionRound(1234.5, 0) // produces 1235
precisionRound(1234.5, -1) // produces 1230
Fix:
function precisionRoundMod(number, precision) {
var factor = Math.pow(10, precision);
var n = precision < 0 ? number : 0.01 / factor + number;
return Math.round( n * factor) / factor;
}
This just adds a digit to the right when rounding decimals.
MDN has updated the Math.round()
page so maybe someone could provide a better solution.
-
wrong answer. 10.2 will always return 10.19. jsbin.com/tozogiwide/edit?html,js,console,outputŽilvinas– Žilvinas2019年03月15日 14:08:16 +00:00Commented Mar 15, 2019 at 14:08
-
@Žilvinas The JSBin link you posted does not use the MDN function listed above. I think your comment is directed at the wrong person.HelloWorldPeace– HelloWorldPeace2019年08月20日 17:57:09 +00:00Commented Aug 20, 2019 at 17:57
-
would Math.ceil not account for that 0.01 in the same way (it's making it an integer and then casting back down to a float afaik)MrMesees– MrMesees2020年09月12日 12:28:00 +00:00Commented Sep 12, 2020 at 12:28
-
wow, thanks, this works great for what I needed, using a precision of about
12
withprecisionRoundMod
does the trick for my use cases!mswieboda– mswieboda2021年06月08日 18:22:08 +00:00Commented Jun 8, 2021 at 18:22 -
You can replace
Math.pow(10, precision)
to10 ** precision
.Arthur Ronconi– Arthur Ronconi2023年06月15日 13:40:10 +00:00Commented Jun 15, 2023 at 13:40
Are you only performing multiplication? If so then you can use to your advantage a neat secret about decimal arithmetic. That is that NumberOfDecimals(X) + NumberOfDecimals(Y) = ExpectedNumberOfDecimals
. That is to say that if we have 0.123 * 0.12
then we know that there will be 5 decimal places because 0.123
has 3 decimal places and 0.12
has two. Thus if JavaScript gave us a number like 0.014760000002
we can safely round to the 5th decimal place without fear of losing precision.
-
12... and how to get the exact amount of decimal places.line-o– line-o2013年02月13日 09:57:11 +00:00Commented Feb 13, 2013 at 9:57
-
80.5 * 0.2 = 0.10; You can still truncate at 2 decimal places (or less). But there will never be a number with any mathematical significance beyond this law.Nate Zaugg– Nate Zaugg2014年09月19日 15:18:09 +00:00Commented Sep 19, 2014 at 15:18
-
4Do you have a citation for this? Also note that the same is not true for division.Griffin– Griffin2015年04月13日 22:14:17 +00:00Commented Apr 13, 2015 at 22:14
-
2Griffin: a citation (and more importantly, an easy to understand explanation): mathsisfun.com/multiplying-decimals.html and math.com/school/subject1/lessons/S1U1L5DP.html In essence: "Because when you (my addition: manually on paper) multiply without the decimal point, you are really shifting the decimal point to the right to get it out of the way (my addition: for each number)" so, # shifts for x plus # shifts for y.GitaarLAB– GitaarLAB2016年03月03日 02:50:58 +00:00Commented Mar 3, 2016 at 2:50
-
4@NateZaugg you can't truncate the the overflowing decimals, you have to round the amount, because 2090.5 * 8.61 is 17999.205 but in float it's 17999.204999999998Lostfields– Lostfields2017年05月12日 06:13:16 +00:00Commented May 12, 2017 at 6:13
I'm finding BigNumber.js meets my needs.
A JavaScript library for arbitrary-precision decimal and non-decimal arithmetic.
It has good documentation and the author is very diligent responding to feedback.
The same author has 2 other similar libraries:
A small, fast JavaScript library for arbitrary-precision decimal arithmetic. The little sister to bignumber.js.
and Decimal.js
An arbitrary-precision Decimal type for JavaScript.
Here's some code using BigNumber:
$(function(){
var product = BigNumber(.1).times(.2);
$('#product').text(product);
var sum = BigNumber(.1).plus(.2);
$('#sum').text(sum);
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<!-- 1.4.1 is not the current version, but works for this example. -->
<script src="http://cdn.bootcss.com/bignumber.js/1.4.1/bignumber.min.js"></script>
.1 × .2 = <span id="product"></span><br>
.1 + .2 = <span id="sum"></span><br>
-
5Using a library is definitely the best choice in my opinion.Anthony– Anthony2015年07月11日 19:38:21 +00:00Commented Jul 11, 2015 at 19:38
-
1From this link github.com/MikeMcl/big.js/issues/45 bignumber.js -> financial decimal.js -> scientific big.js -> ???vee– vee2020年01月25日 02:20:19 +00:00Commented Jan 25, 2020 at 2:20
-
This needs to be the accepted answer or another big decimal libraryRicardo Saracino– Ricardo Saracino2024年04月23日 17:54:39 +00:00Commented Apr 23, 2024 at 17:54
You are looking for an sprintf
implementation for JavaScript, so that you can write out floats with small errors in them (since they are stored in binary format) in a format that you expect.
Try javascript-sprintf, you would call it like this:
var yourString = sprintf("%.2f", yourNumber);
to print out your number as a float with two decimal places.
You may also use Number.toFixed() for display purposes, if you'd rather not include more files merely for floating point rounding to a given precision.
-
4I think this is the cleanest solution. Unless you really really need the result to be 0.02, the small error is negligible. It sounds like what's important is that your number is displayed nicely, not that you have arbitrary precision.Long Ouyang– Long Ouyang2010年08月07日 15:50:15 +00:00Commented Aug 7, 2010 at 15:50
-
2For display this is indeed the best option, for complicated calculations, check Borgwardt's answer.Not Available– Not Available2010年08月10日 18:29:51 +00:00Commented Aug 10, 2010 at 18:29
-
4But then again this will return exactly the same string as yourNumber.toFixed(2).Robert– Robert2010年12月21日 18:07:40 +00:00Commented Dec 21, 2010 at 18:07
var times = function (a, b) {
return Math.round((a * b) * 100)/100;
};
---or---
var fpFix = function (n) {
return Math.round(n * 100)/100;
};
fpFix(0.1*0.2); // -> 0.02
---also---
var fpArithmetic = function (op, x, y) {
var n = {
'*': x * y,
'-': x - y,
'+': x + y,
'/': x / y
}[op];
return Math.round(n * 100)/100;
};
--- as in ---
fpArithmetic('*', 0.1, 0.2);
// 0.02
fpArithmetic('+', 0.1, 0.2);
// 0.3
fpArithmetic('-', 0.1, 0.2);
// -0.1
fpArithmetic('/', 0.2, 0.1);
// 2
-
6I think that would give the same problem as a result. You return a floating point so a big chance the return value will also be "incorrect".Gertjan– Gertjan2010年08月09日 12:10:26 +00:00Commented Aug 9, 2010 at 12:10
You can use parseFloat()
and toFixed()
if you want to bypass this issue for a small operation:
a = 0.1;
b = 0.2;
a + b = 0.30000000000000004;
c = parseFloat((a+b).toFixed(2));
c = 0.3;
a = 0.3;
b = 0.2;
a - b = 0.09999999999999998;
c = parseFloat((a-b).toFixed(2));
c = 0.1;
-
Perhaps this code could use some comments, as it's a bit confusing to follow as is. Also,
.toFixed()
only works if you know exactly how many decimal places you need at the time. Sometimes you might want to keep a certain amount of significant digits without knowing the exact number of decimal places. In that case, use.toPrecision()
instead of.toFixed()
.Simon E.– Simon E.2023年11月19日 04:30:32 +00:00Commented Nov 19, 2023 at 4:30
You just have to make up your mind on how many decimal digits you actually want - can't have the cake and eat it too :-)
Numerical errors accumulate with every further operation and if you don't cut it off early it's just going to grow. Numerical libraries which present results that look clean simply cut off the last 2 digits at every step, numerical co-processors also have a "normal" and "full" lenght for the same reason. Cuf-offs are cheap for a processor but very expensive for you in a script (multiplying and dividing and using pov(...)). Good math lib would provide floor(x,n) to do the cut-off for you.
So at the very least you should make global var/constant with pov(10,n) - meaning that you decided on the precision you need :-) Then do:
Math.floor(x*PREC_LIM)/PREC_LIM // floor - you are cutting off, not rounding
You could also keep doing math and only cut-off at the end - assuming that you are only displaying and not doing if-s with results. If you can do that, then .toFixed(...) might be more efficient.
If you are doing if-s/comparisons and don't want to cut of then you also need a small constant, usually called eps, which is one decimal place higher than max expected error. Say that your cut-off is last two decimals - then your eps has 1 at the 3rd place from the last (3rd least significant) and you can use it to compare whether the result is within eps range of expected (0.02 -eps < 0.1*0.2 < 0.02 +eps).
-
You can also add 0.5 in order to do a poor man's rounding: Math.floor(x*PREC_LIM + 0.5)/PREC_LIMcmroanirgo– cmroanirgo2012年12月04日 04:31:11 +00:00Commented Dec 4, 2012 at 4:31
-
Note though, that e.g.
Math.floor(-2.1)
is-3
. So perhaps use e.g.Math[x<0?'ceil':'floor'](x*PREC_LIM)/PREC_LIM
MikeM– MikeM2013年01月20日 22:57:06 +00:00Commented Jan 20, 2013 at 22:57 -
Why
floor
instead ofround
?Quinn Comendant– Quinn Comendant2015年11月19日 04:44:31 +00:00Commented Nov 19, 2015 at 4:44
Notice that for the general purpose use, this behavior is likely to be acceptable.
The problem arises when comparing those floating points values to determine an appropriate action.
With the advent of ES6, a new constant Number.EPSILON
is defined to determine the acceptable error margin :
So instead of performing the comparison like this
0.1 + 0.2 === 0.3 // which returns false
you can define a custom compare function, like this :
function epsEqu(x, y) {
return Math.abs(x - y) < Number.EPSILON;
}
console.log(epsEqu(0.1+0.2, 0.3)); // true
Source : http://2ality.com/2015/04/numbers-math-es6.html#numberepsilon
-
In my case Number.EPSILON was too small, which resulted in e.g.
0.9 !== 0.8999999761581421
Tom– Tom2019年01月18日 01:41:56 +00:00Commented Jan 18, 2019 at 1:41 -
Number.EPSILON is useless as that value changes with the number. It works if the number is small enough. In a very large floating point number epsilon could get even above 1.Cem Kalyoncu– Cem Kalyoncu2022年10月12日 19:19:34 +00:00Commented Oct 12, 2022 at 19:19
decimal.js, big.js or bignumber.js can be used to avoid floating-point manipulation problems in Javascript:
0.1 * 0.2 // 0.020000000000000004
x = new Decimal(0.1)
y = x.times(0.2) // '0.2'
x.times(0.2).equals(0.2) // true
big.js: minimalist; easy-to-use; precision specified in decimal places; precision applied to division only.
bignumber.js: bases 2-64; configuration options; NaN; Infinity; precision specified in decimal places; precision applied to division only; base prefixes.
decimal.js: bases 2-64; configuration options; NaN; Infinity; non-integer powers, exp, ln, log; precision specified in significant digits; precision always applied; random numbers.
-
how are "non-integer powers" a specific feature? it seems native
Math.pow
i.e**
already handles that?Tchakabam– Tchakabam2022年01月25日 02:39:02 +00:00Commented Jan 25, 2022 at 2:39
The result you've got is correct and fairly consistent across floating point implementations in different languages, processors and operating systems - the only thing that changes is the level of the inaccuracy when the float is actually a double (or higher).
0.1 in binary floating points is like 1/3 in decimal (i.e. 0.3333333333333... forever), there's just no accurate way to handle it.
If you're dealing with floats always expect small rounding errors, so you'll also always have to round the displayed result to something sensible. In return you get very very fast and powerful arithmetic because all the computations are in the native binary of the processor.
Most of the time the solution is not to switch to fixed-point arithmetic, mainly because it's much slower and 99% of the time you just don't need the accuracy. If you're dealing with stuff that does need that level of accuracy (for instance financial transactions) Javascript probably isn't the best tool to use anyway (as you've want to enforce the fixed-point types a static language is probably better).
You're looking for the elegant solution then I'm afraid this is it: floats are quick but have small rounding errors - always round to something sensible when displaying their results.
The round() function at phpjs.org works nicely: http://phpjs.org/functions/round
num = .01 + .06; // yields 0.0699999999999
rnum = round(num,12); // yields 0.07
-
2@jrg By convention, numbers ending with a "5" are rounded to the nearest even (because always rounding up or down would introduce a bias to your results). Therefore, 4.725 rounded to two decimal places should indeed be 4.72.Mark A. Durham– Mark A. Durham2019年06月20日 12:52:10 +00:00Commented Jun 20, 2019 at 12:52
To avoid this you should work with integer values instead of floating points. So when you want to have 2 positions precision work with the values * 100, for 3 positions use 1000. When displaying you use a formatter to put in the separator.
Many systems omit working with decimals this way. That is the reason why many systems work with cents (as integer) instead of dollars/euro's (as floating point).
0.6 * 3 works fine:
function dec( num )
{
var p = 100;
return Math.round( num * p ) / p;
}
-
Would this work though with something like
8.22e-8 * 1.3
?Paul Carlton– Paul Carlton2016年05月03日 16:43:54 +00:00Commented May 3, 2016 at 16:43 -
0.6 x 3 = 1.8, the code you give results to 2... so not good.Zyo– Zyo2018年06月30日 00:50:14 +00:00Commented Jun 30, 2018 at 0:50
-
Interesting. You can swap the multiplication and division operators in this and it also works.Andrew– Andrew2020年05月02日 20:52:28 +00:00Commented May 2, 2020 at 20:52
not elegant but does the job (removes trailing zeros)
var num = 0.1*0.2;
alert(parseFloat(num.toFixed(10))); // shows 0.02
-
8toFixed doesn't always work: stackoverflow.com/questions/661562/…Sam Hasler– Sam Hasler2010年10月25日 10:22:46 +00:00Commented Oct 25, 2010 at 10:22
Problem
Floating point can't store all decimal values exactly. So when using floating point formats there will always be rounding errors on the input values. The errors on the inputs of course results on errors on the output. In case of a discrete function or operator there can be big differences on the output around the point where the function or operator is discrete.
Input and output for floating point values
So, when using floating point variables, you should always be aware of this. And whatever output you want from a calculation with floating points should always be formatted/conditioned before displaying with this in mind.
When only continuous functions and operators are used, rounding to the desired precision often will do (don't truncate). Standard formatting features used to convert floats to string will usually do this for you.
Because the rounding adds an error which can cause the total error to be more then half of the desired precision, the output should be corrected based on expected precision of inputs and desired precision of output. You should
- Round inputs to the expected precision or make sure no values can be entered with higher precision.
- Add a small value to the outputs before rounding/formatting them which is smaller than or equal to 1/4 of the desired precision and bigger than the maximum expected error caused by rounding errors on input and during calculation. If that is not possible the combination of the precision of the used data type isn't enough to deliver the desired output precision for your calculation.
These 2 things are usually not done and in most cases the differences caused by not doing them are too small to be important for most users, but I already had a project where output wasn't accepted by the users without those corrections.
Discrete functions or operators (like modula)
When discrete operators or functions are involved, extra corrections might be required to make sure the output is as expected. Rounding and adding small corrections before rounding can't solve the problem.
A special check/correction on intermediate calculation results, immediately after applying the discrete function or operator might be required.
For a specific case (modula operator), see my answer on question: Why does modulus operator return fractional number in javascript?
Better avoid having the problem
It is often more efficient to avoid these problems by using data types (integer or fixed point formats) for calculations like this which can store the expected input without rounding errors. An example of that is that you should never use floating point values for financial calculations.
I solved it by first making both numbers integers, executing the expression and afterwards dividing the result to get the decimal places back:
function evalMathematicalExpression(a, b, op) {
const smallest = String(a < b ? a : b);
const factor = smallest.length - smallest.indexOf('.');
for (let i = 0; i < factor; i++) {
b *= 10;
a *= 10;
}
a = Math.round(a);
b = Math.round(b);
const m = 10 ** factor;
switch (op) {
case '+':
return (a + b) / m;
case '-':
return (a - b) / m;
case '*':
return (a * b) / (m ** 2);
case '/':
return a / b;
}
throw `Unknown operator ${op}`;
}
Results for several operations (the excluded numbers are results from eval
):
0.1 + 0.002 = 0.102 (0.10200000000000001)
53 + 1000 = 1053 (1053)
0.1 - 0.3 = -0.2 (-0.19999999999999998)
53 -ひく -ひく1000 =わ 1053 (1053)
0.3 * 0.0003 = 0.00009 (0.00008999999999999999)
100 * 25 = 2500 (2500)
0.9 / 0.03 = 30 (30.000000000000004)
100 / 50 = 2 (2)
-
works for me, fixed tradingview lightweight chart with this function when AMBUSDT pair is not working correctly because of 0.00001*10000000 returns 100.00000000000001 , thanks SimonMr. Smit– Mr. Smit2023年06月04日 20:06:19 +00:00Commented Jun 4, 2023 at 20:06
-
Do you know the theory of why integers work fine but only float have this imprecision issue? I'd be keen to understand this better.Simon E.– Simon E.2023年11月19日 04:33:17 +00:00Commented Nov 19, 2023 at 4:33
-
UPDATE: After some reading up on IEEE-754 (my brain now hurts), I discovered that not all integers are represented exactly, just those lower than 9007199254740993 (since JS uses 64 bit precision). JS will round that number down by 1. Going higher, you can only increment by 2. But that's more than enough for 99% of use cases.Simon E.– Simon E.2023年11月19日 05:38:20 +00:00Commented Nov 19, 2023 at 5:38
You can't represent most decimal fractions exactly with binary floating point types (which is what ECMAScript uses to represent floating point values). So there isn't an elegant solution unless you use arbitrary precision arithmetic types or a decimal based floating point type. For example, the Calculator app that ships with Windows now uses arbitrary precision arithmetic to solve this problem.
-
You can, up to a certain precision (15-17 digits, as stated in the IEE754 spec). See Franck Freiburger's answer.Engineer– Engineer2024年04月21日 18:10:04 +00:00Commented Apr 21, 2024 at 18:10
Elegant, Predictable, and Reusable
Let's deal with the problem in an elegant way reusable way. The following seven lines will let you access the floating point precision you desire on any number simply by appending .decimal
to the end of the number, formula, or built-in Math
function.
// First extend the native Number object to handle precision. This populates
// the functionality to all math operations.
Object.defineProperty(Number.prototype, "decimal", {
get: function decimal() {
Number.precision = "precision" in Number ? Number.precision : 3;
var f = Math.pow(10, Number.precision);
return Math.round( this * f ) / f;
}
});
// Now lets see how it works by adjusting our global precision level and
// checking our results.
console.log("'1/3 + 1/3 + 1/3 = 1' Right?");
console.log((0.3333 + 0.3333 + 0.3333).decimal == 1); // true
console.log(0.3333.decimal); // 0.333 - A raw 4 digit decimal, trimmed to 3...
Number.precision = 3;
console.log("Precision: 3");
console.log((0.8 + 0.2).decimal); // 1
console.log((0.08 + 0.02).decimal); // 0.1
console.log((0.008 + 0.002).decimal); // 0.01
console.log((0.0008 + 0.0002).decimal); // 0.001
Number.precision = 2;
console.log("Precision: 2");
console.log((0.8 + 0.2).decimal); // 1
console.log((0.08 + 0.02).decimal); // 0.1
console.log((0.008 + 0.002).decimal); // 0.01
console.log((0.0008 + 0.0002).decimal); // 0
Number.precision = 1;
console.log("Precision: 1");
console.log((0.8 + 0.2).decimal); // 1
console.log((0.08 + 0.02).decimal); // 0.1
console.log((0.008 + 0.002).decimal); // 0
console.log((0.0008 + 0.0002).decimal); // 0
Number.precision = 0;
console.log("Precision: 0");
console.log((0.8 + 0.2).decimal); // 1
console.log((0.08 + 0.02).decimal); // 0
console.log((0.008 + 0.002).decimal); // 0
console.log((0.0008 + 0.0002).decimal); // 0
-
6If you choose to downvote, at least provide a reason.Bernesto– Bernesto2019年09月30日 17:43:17 +00:00Commented Sep 30, 2019 at 17:43
-
5
-
Try:
((0.1*3)*1e14).decimal
trincot– trincot2021年04月14日 20:09:54 +00:00Commented Apr 14, 2021 at 20:09 -
@BobRodes I totally agree it is a monkey patch and it isn't suitable for some projects for the linked reasons. But for many, this solution is the ideal lesser of two evils.Bernesto– Bernesto2021年04月28日 16:36:49 +00:00Commented Apr 28, 2021 at 16:36
-
1@Bernesto It's the bigger of two evils, exactly for the specified reason. When any script on the page was written by another dev who thought it's a good idea to use common property names like
decimal
andprecision
for their own needs, the problem appears. It's strange to even consider this option in the age of modular JS.decimal
could be a helper function and imported where it's needed, and this approach would be correct and receive no downvotes. The solution itself looks pretty solid, besides the fact that it's floating and not fixed point precision and not tested on bigger numbers.Estus Flask– Estus Flask2022年04月15日 07:49:46 +00:00Commented Apr 15, 2022 at 7:49
From my point of view, the idea here is to round the floating point number in order to have a nice/short default string representation.
The 53-bit significand precision gives from 15 to 17 significant decimal digits precision (2−53 ≈ 1.11 ×ばつ 10−16). If a decimal string with at most 15 significant digits is converted to IEEE 754 double-precision representation, and then converted back to a decimal string with the same number of digits, the final result should match the original string. If an IEEE 754 double-precision number is converted to a decimal string with at least 17 significant digits, and then converted back to double-precision representation, the final result must match the original number. ... With the 52 bits of the fraction (F) significand appearing in the memory format, the total precision is therefore 53 bits (approximately 16 decimal digits, 53 log10(2) ≈ 15.955). The bits are laid out as follows ... Wikipedia
(0.1).toPrecision(100) ->
0.1000000000000000055511151231257827021181583404541015625000000000000000000000000000000000000000000000
(0.1+0.2).toPrecision(100) ->
0.3000000000000000444089209850062616169452667236328125000000000000000000000000000000000000000000000000
Then, as far as I understand, we can round the value up to 15 digits to keep a nice string representation.
10**Math.floor(53 * Math.log10(2)) // 1e15
eg.
Math.round((0.2+0.1) * 1e15 ) / 1e15
0.3
(Math.round((0.2+0.1) * 1e15 ) / 1e15).toPrecision(100)
0.2999999999999999888977697537484345957636833190917968750000000000000000000000000000000000000000000000
The function would be:
function roundNumberToHaveANiceDefaultStringRepresentation(num) {
const integerDigits = Math.floor(Math.log10(Math.abs(num))+1);
const mult = 10**(15-integerDigits); // also consider integer digits
return Math.round(num * mult) / mult;
}
-
This answer in underrated. PS: I think it's
52 * Math.log10(2)
because it's a signed double? Result would still be1e15
dehart– dehart2020年04月08日 15:23:56 +00:00Commented Apr 8, 2020 at 15:23 -
Why not just do
Math.round(num * 1e15) / 1e15
?Elie G.– Elie G.2021年06月06日 20:16:28 +00:00Commented Jun 6, 2021 at 20:16
Have a look at Fixed-point arithmetic. It will probably solve your problem, if the range of numbers you want to operate on is small (eg, currency). I would round it off to a few decimal values, which is the simplest solution.
-
8The problem is not floating point vs. fixed point, the problem is binary vs. decimal.Michael Borgwardt– Michael Borgwardt2010年08月09日 12:33:13 +00:00Commented Aug 9, 2010 at 12:33
I could not find a solution using the built in Number.EPSILON
that's meant to help with this kind of problem, so here is my solution:
function round(value, precision) {
const power = Math.pow(10, precision)
return Math.round((value*power)+(Number.EPSILON*power)) / power
}
This uses the known smallest difference between 1 and the smallest floating point number greater than one to fix the EPSILON
rounding error ending up just one EPSILON
below the rounding up threshold.
Maximum precision is 15 for 64-bit floating point and 6 for 32-bit floating point. Your JavaScript is likely 64 bit.
Here is my solution:
function float(equation, precision = 9) {
return Math.floor(equation * (10 ** precision)) / (10 ** precision);
}
console.log(float(0.1 * 0.2)); // => 0.02
console.log(float(0.2 + 0.4)); // => 0.6
console.log(float(1 / 3)); // => 0.333333333
console.log(float(1 / 3, 2)); // => 0.33
-
4good answer. but isn't it opinionated to use
Math.floor
overMath.round
here? Just wondering, or am I missing something?Tchakabam– Tchakabam2022年01月25日 02:35:01 +00:00Commented Jan 25, 2022 at 2:35 -
1I think
Math.round
is the correct answer, becausefloat(606.67-100, 2)
should be 506.67 but it is returning the wrong value 506.66. The code needs a fix.Arthur Ronconi– Arthur Ronconi2023年06月15日 13:45:42 +00:00Commented Jun 15, 2023 at 13:45 -
An explanation would be in order. E.g., what is the idea/gist? From the Help Center: "...always explain why the solution you're presenting is appropriate and how it works". Please respond by editing (changing) your answer, not here in comments (*** *** *** *** *** without *** *** *** *** *** "Edit:", "Update:", or similar - the answer should appear as if it was written today).Peter Mortensen– Peter Mortensen2023年12月04日 13:59:24 +00:00Commented Dec 4, 2023 at 13:59
The lack of precision in programming for floating point values
The lack of precision in programming for floating point values is a known issue in different programming languages. JavaScript is one of those that have problems doing math with floating point values. Such an issue is due substantially to the in-memory binary representation of floating point numbers done by those programming languages.
Let's hope that programming languages and compilers and hardware developers and engineers will deal with such issues solving them once and for all at least to the 1024 floating point digit... probably this will be enough to have peace of mind for 99.999% of all the other developers for the next century of programming...
A possible solution: convert to integer, calculate, than back
A possible solution could be just to convert the floating point numbers into integers, execute the calculations and then transform the result back into a floating point number. It seems to work, most of the time. There are many ways to proceed. In principle:
function calculate()
{
var x = 0.1 * 0.2; // Original approach
var y = ((0.1*10) * (0.2*10))/100; // The working possible solution
document.write(x + '<br>' + y);
}
calculate();
Of course, in case of need, the function can be adapted accordingly. For instance:
function calculate()
{
var x = 0.12 * 0.23; // Original approach
var y = ((0.12*100) * (0.23*100))/10000; // The working possible solution
document.write(x + '<br>' + y);
}
calculate();
It can also be automated:
function toInt(v)
{
let i = 1;
let r;
while(r % 1 != 0)
{
i = i * 10;
r = v * i;
}
return [r, i];
}
function calculate()
{
let x = 0.11111111;
let y = 0.22222222;
let a = x * y; // Original approach
[x, i] = toInt(x);
[y, j] = toInt(y);
let d = i * j;
// Another working possible solution
let b = x * y / d;
console.log(a + '\n' + b)
document.write(a + '<br>' + b);
}
calculate();
With that in mind, we can do, for example:
function toInt(v)
{
let i = 1;
let r;
while(r % 1 != 0)
{
i = i * 10;
r = v * i;
}
return [r, i];
}
function calculate()
{
let x = 14898
let y = 10.8
let z = 100
let a = x * y / z ; // Original approach
// Another working possible solution
[y, i] = toInt(y);
let b = (x * y) / (z * i);
console.log(a + '\n' + b)
document.write(a + '<br>' + b);
}
calculate();
Of course, with some code refactoring, we can also remove the while loop. So finally we have:
function toInt(v)
{
let d = v.toString().split('.')[1].length;
let p = Math.pow(10, d);
let r = v * p;
return [r, p];
}
function calculate()
{
let x = 14898
let y = 10.8
let z = 100
let a = x * y / z ; // Original approach
// Another working possible solution
[y, i] = toInt(y);
let b = (x * y) / (z * i);
console.log(a + '\n' + b)
document.write(a + '<br>' + b);
}
calculate();
-
1This would break on floats with more then 1 decimal like
0.11
0stone0– 0stone02022年09月30日 19:36:52 +00:00Commented Sep 30, 2022 at 19:36 -
@0stone0, you're right: I've just shown the principle, but I supposed there was not need to say that if needed the function could be adapted and even generalized... thanks to your suggestion I have improved the answer now. Does it brakes now on floats with more then 1 decimal like 0.11 as you rightfully observed?willy wonka– willy wonka2022年10月04日 14:07:57 +00:00Commented Oct 4, 2022 at 14:07
You are right, the reason for that is limited precision of floating point numbers. Store your rational numbers as a division of two integer numbers and in most situations you'll be able to store numbers without any precision loss. When it comes to printing, you may want to display the result as fraction. With representation I proposed, it becomes trivial.
Of course that won't help much with irrational numbers. But you may want to optimize your computations in the way they will cause the least problem (e.g. detecting situations like sqrt(3)^2)
.
-
You are right, the reason for that is limited precision of floating point numbers —
<pedant>
actually, the OP put it down to imprecise floating point operations, which is wrong</pedant>
detly– detly2010年08月10日 07:40:22 +00:00Commented Aug 10, 2010 at 7:40
enter image description here
You can use library https://github.com/MikeMcl/decimal.js/.
it will help lot to give proper solution.
javascript console output 95 *722228.630 /100 = 686117.1984999999
decimal library implementation
var firstNumber = new Decimal(95);
var secondNumber = new Decimal(722228.630);
var thirdNumber = new Decimal(100);
var partialOutput = firstNumber.times(secondNumber);
console.log(partialOutput);
var output = new Decimal(partialOutput).div(thirdNumber);
alert(output.valueOf());
console.log(output.valueOf())== 686117.1985
Avoid dealing with floating points during the operation using Integers
As stated on the most voted answer until now, you can work with integers, that would mean to multiply all your factors by 10 for each decimal you are working with, and divide the result by the same number used.
For example, if you are working with 2 decimals, you multiply all your factors by 100 before doing the operation, and then divide the result by 100.
Here's an example, Result1 is the usual result, Result2 uses the solution:
var Factor1="1110.7";
var Factor2="2220.2";
var Result1=Number(Factor1)+Number(Factor2);
var Result2=((Number(Factor1)*100)+(Number(Factor2)*100))/100;
var Result3=(Number(parseFloat(Number(Factor1))+parseFloat(Number(Factor2))).toPrecision(2));
document.write("Result1: "+Result1+"<br>Result2: "+Result2+"<br>Result3: "+Result3);
The third result is to show what happens when using parseFloat instead, which created a conflict in our case.
-
I like this because it's simple. but, you still have to worry about any big number. "1120003000600.126" * 1 still comes out to 1120003000600.126 "11200030006000.126" * 1 still comes out to 1120003000600.127 which makes any solution painful, anything over 13 digits gets brokenhal9000– hal90002021年04月30日 16:42:02 +00:00Commented Apr 30, 2021 at 16:42
I had a rounding error problem with mod 3. Sometimes when I should get 0 I would get .000...01. Just test for <= .01. But sometimes I would get 2.99999999999998.
BigNumbers solved the problem, but introduced another problem. When trying to load 8.5 into BigNumbers it was really 8.4999... and had more than 15 significant digits. BigNumbers could not accept it.
Solution:
x = Math.round(x*100);
// I only need 2 decimal places, if I needed 3 I would use 1,000, etc.
x = x / 100;
xB = new BigNumber(x);
0.1
to a finite binary floating point number.(new Number(0.1)).valueOf()
is0.1
.