我有一个数字,可以是2位数字,例如67、24、82,也可以是3位数字,例如556、955、865或4位数字,依此类推。如何根据数字将数字四舍五入到最接近的n + 1位数字?
示例:
roundup(87) => 100,
roundup(776) => 1000,
roudnup(2333) => 10000
,依此类推。
答案 0 :(得分:11)
您可以取10的对数并四舍五入以获得值。
function roundup(v) {
return Math.pow(10, Math.ceil(Math.log10(v)));
}
console.log(roundup(87)); // 100
console.log(roundup(776)); // 1000
console.log(roundup(2333)); // 10000
对于负数,可以通过将检查结果作为因数来保存符号,也可以取负数。那么绝对值是必需的,因为对数仅适用于正数。
function roundup(v) {
return (v >= 0 || -1) * Math.pow(10, 1 + Math.floor(Math.log10(Math.abs(v))));
}
console.log(roundup(87)); // 100
console.log(roundup(-87)); // -100
console.log(roundup(776)); // 1000
console.log(roundup(-776)); // -1000
console.log(roundup(2333)); // 10000
console.log(roundup(-2333)); // -10000
答案 1 :(得分:7)
const roundup = n => 10 ** ("" + n).length
只需使用字符数即可。
答案 2 :(得分:4)
您可以检查数字中的位数并使用幂运算:
const roundup = num => 10 ** String(num).length;
console.log(roundup(87));
console.log(roundup(776));
console.log(roundup(2333));
答案 3 :(得分:4)
您可以结合使用String#repeat
和Number#toString
来实现:
const roundUp = number => +('1'+'0'.repeat(number.toString().length));
console.log(roundUp(30));
console.log(roundUp(300));
console.log(roundUp(3000));
答案 4 :(得分:3)
//Math.pow(10,(value+"").length)
console.log(Math.pow(10,(525+"").length))
console.log(Math.pow(10,(5255+"").length))
我想出了另一种不需要创建新功能的解决方案