我要在JavaScript或jQuery中获得一个数字的长度?

我尝试过价值。长度没有任何成功,我需要先将其转换为字符串吗?


当前回答

有三种方法。

var num = 123;
alert(num.toString().length);

性能一(ie11中性能最好)

var num = 123;
alert((num + '').length);

数学(在Chrome和firefox中表现最好,但在ie11中最慢)

var num = 123
alert(Math.floor( Math.log(num) / Math.LN10 ) + 1)

这里有一个jspref http://jsperf.com/fastest-way-to-get-the-first-in-a-number/2

其他回答

一种用于整数或整数部分长度的方法,无需将其常规转换为字符串:

var num = 9999999999; // your number
if (num < 0) num = -num; // this string for negative numbers
var length = 1;
while (num >= 10) {
   num /= 10;
   length++;
}
alert(length);
var x = 1234567;

x.toString().length;

这个过程也适用于浮点数和指数数。

在一次测试中,我也被问到类似的问题。

找到一个数字的长度而不转换为字符串

const numbers = [1, 10, 100, 12, 123, -1, -10, -100, -12, -123, 0, -0]

const numberLength = number => {

  let length = 0
  let n = Math.abs(number)

  do {
    n /=  10
    length++
  } while (n >= 1)

  return length
}

console.log(numbers.map(numberLength)) // [ 1, 2, 3, 2, 3, 1, 2, 3, 2, 3, 1, 1 ]

负数的添加使它更加复杂,因此Math.abs()。

var x = 1234567;
String(x).length;

它比. tostring()(在接受的答案中)短。

为了求长度,你必须把数字变成字符串

var num = 123;

alert((num + "").length);

or

alert(num.toString().length);