Simplest way of getting the number of decimals in a number in JavaScript

PhilTrep picture PhilTrep · Jun 28, 2013 · Viewed 85.4k times · Source

Is there a better way of figuring out the number of decimals on a number than in my example?

var nbr = 37.435.45;
var decimals = (nbr!=Math.floor(nbr))?(nbr.toString()).split('.')[1].length:0;

By better I mean faster to execute and/or using a native JavaScript function, ie. something like nbr.getDecimals().

Thanks in advance!

EDIT:

After modifying series0ne answer, the fastest way I could manage is:

var val = 37.435345;
var countDecimals = function(value) {
    if (Math.floor(value) !== value)
        return value.toString().split(".")[1].length || 0;
    return 0;
}
countDecimals(val);

Speed test: http://jsperf.com/checkdecimals

Answer

Matthew Layton picture Matthew Layton · Jun 28, 2013
Number.prototype.countDecimals = function () {
    if(Math.floor(this.valueOf()) === this.valueOf()) return 0;
    return this.toString().split(".")[1].length || 0; 
}

When bound to the prototype, this allows you to get the decimal count (countDecimals();) directly from a number variable.

E.G.

var x = 23.453453453;
x.countDecimals(); // 9

It works by converting the number to a string, splitting at the . and returning the last part of the array, or 0 if the last part of the array is undefined (which will occur if there was no decimal point).

If you do not want to bind this to the prototype, you can just use this:

var countDecimals = function (value) {
    if(Math.floor(value) === value) return 0;
    return value.toString().split(".")[1].length || 0; 
}