How to output integers with leading zeros in JavaS

2018-12-31 05:45发布

Possible Duplicate:
How can I create a Zerofilled value using JavaScript?

I can round to x amount of decimal places with math.round but is there a way to round left of the decimal? for example 5 becomes 05 if I specify 2 places

6条回答
只若初见
2楼-- · 2018-12-31 06:26

NOTE: Potentially outdated. ECMAScript 2017 includes String.prototype.padStart

You're asking for zero padding? Not really rounding. You'll have to convert it to a string since numbers don't make sense with leading zeros. Something like this...

function pad(num, size) {
    var s = num+"";
    while (s.length < size) s = "0" + s;
    return s;
}

Or if you know you'd never be using more than X number of zeros this might be better. This assumes you'd never want more than 10 digits.

function pad(num, size) {
    var s = "000000000" + num;
    return s.substr(s.length-size);
}

If you care about negative numbers you'll have to strip the "-" and readd it.

查看更多
初与友歌
3楼-- · 2018-12-31 06:30

Another approach:

function zeroPad(num, places) {
  var zero = places - num.toString().length + 1;
  return Array(+(zero > 0 && zero)).join("0") + num;
}

zeroPad(5, 2); // "05"
zeroPad(5, 4); // "0005"
zeroPad(5, 6); // "000005"
zeroPad(1234, 2); // "1234" :)
查看更多
心情的温度
4楼-- · 2018-12-31 06:32
function zfill(num, len) {return (Array(len).join("0") + num).slice(-len);}
查看更多
初与友歌
5楼-- · 2018-12-31 06:40

You could extend the Number object:

Number.prototype.pad = function(size) {
    var s = String(this);
    while (s.length < (size || 2)) {s = "0" + s;}
    return s;
}

Examples:

(9).pad();  //returns "09"

(7).pad(3);  //returns "007"
查看更多
何处买醉
6楼-- · 2018-12-31 06:42

From https://gist.github.com/1180489

function pad(a,b){return(1e15+a+"").slice(-b)}

With comments:

function pad(
  a, // the number to convert 
  b // number of resulting characters
){
  return (
    1e15 + a + // combine with large number
    "" // convert to string
  ).slice(-b) // cut leading "1"
}
查看更多
时光乱了年华
7楼-- · 2018-12-31 06:46

Just for fun (I had some time to kill), a more sophisticated implementation which caches the zero-string:

pad.zeros = new Array(5).join('0');
function pad(num, len) {
    var str = String(num),
        diff = len - str.length;
    if(diff <= 0) return str;
    if(diff > pad.zeros.length)
        pad.zeros = new Array(diff + 1).join('0');
    return pad.zeros.substr(0, diff) + str;
}

If the padding count is large and the function is called often enough, it actually outperforms the other methods...

查看更多
登录 后发表回答