有没有办法在数字前加上前导零,以便产生固定长度的字符串?例如,如果我指定 2 个地方,则5
变为"05"
。
如何在 JavaScript 中输出带前导零的数字?
IT技术
javascript
text-formatting
number-formatting
2021-02-07 12:56:50
6个回答
注意:可能已经过时。ECMAScript 2017 包括
String.prototype.padStart
.
您必须将数字转换为字符串,因为数字对前导零没有意义。像这样的东西:
function pad(num, size) {
num = num.toString();
while (num.length < size) num = "0" + num;
return num;
}
或者,如果您知道您永远不会使用超过 X 个零,这可能会更好。这假设您永远不会想要超过 10 位数字。
function pad(num, size) {
var s = "000000000" + num;
return s.substr(s.length-size);
}
如果您关心负数,则必须剥离-
并阅读它。
更新:使用 ES2017String.prototype.padStart
方法的小型单行函数:
const zeroPad = (num, places) => String(num).padStart(places, '0')
console.log(zeroPad(5, 2)); // "05"
console.log(zeroPad(5, 4)); // "0005"
console.log(zeroPad(5, 6)); // "000005"
console.log(zeroPad(1234, 2)); // "1234"
另一种 ES5 方法:
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" :)
您可以扩展Number
对象:
Number.prototype.pad = function(size) {
var s = String(this);
while (s.length < (size || 2)) {s = "0" + s;}
return s;
}
例子:
(9).pad(); //returns "09"
(7).pad(3); //returns "007"
来自https://gist.github.com/1180489
function pad(a, b){
return(1e15 + a + '').slice(-b);
}
附评论:
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"
}
function zfill(num, len) {return (Array(len).join("0") + num).slice(-len);}
其它你可能感兴趣的问题