你如何计算整数的位数?

时间:2013-05-22 08:41:22

标签: java

我需要一种方法来计算特定整数的位数。它也适用于否定数字。有什么想法吗?

9 个答案:

答案 0 :(得分:6)

试试这段代码。它使用对数到10的基数:

public static int length(int integer) {
    if(integer==0) {
        return 1;
    } else if(integer<0) {
        return ((int)Math.log10(Math.abs(integer)))+1;
    } else {
        return ((int)Math.log10(integer))+1;
    }
}

答案 1 :(得分:5)

(n < 0) ? String.valueOf(n).length() - 1 : String.valueOf(n).length();

答案 2 :(得分:3)

绝对值函数除去-(如果存在),其余的与其他答案类似。

String.valueOf(Math.abs(number)).length();

答案 3 :(得分:2)

最快的方式:

    public final static int[] sizeTable = { 9, 99, 999, 9999, 99999, 999999,
        9999999, 99999999, 999999999, Integer.MAX_VALUE };

    public static int getSize(int d) {
    if (d == Integer.MIN_VALUE)
        return 10;
    if (d < 0) {
        d = -d;
    }
    for (int i = 0;; i++)
        if (d <= sizeTable[i])
            return i + 1;
}

它的灵感来自Integer

 static int stringSize(int x) {
    for (int i=0; ; i++)
        if (x <= sizeTable[i])
            return i+1;
}

答案 4 :(得分:0)

这应该有效:

digitCount = String.valueof(number).length();
if(number < 0 ) digitCount--;

答案 5 :(得分:0)

 Integer i=new Integer(340);
      if(i<0)
      System.out.println(i.toString().length()-1);
      else
          System.out.println(i.toString().length()); 

答案 6 :(得分:0)

public class Test
{
     public static void main(String []args)
     {
         int n = 423;
         int count = 0;

         while(n != 0) 
         {
             n = n / 10;
             count++;
         }
         System.out.println(count);
     }
}

答案 7 :(得分:0)

public static int integerLength(int n)
{
 return Math.abs(n).toString().length();
}

答案 8 :(得分:0)

通过除以零来计算数字(通过更改参数声明,可以很容易地适应任何基数,或者很长时间)。

public static int countDigitsDiv(int value) {
    if (value == 0)
        return 1;
    int result = 0;
    // we work with negative values to avoid surprises with Integer.MIN_VALUE
    if (value > 0)
        value = -value;
    // count the number of digits
    while (value < 0) {
        result += 1;
        value /= 10;
    }
    return result;
}

使用Math.log10()(如果由于double的精度有限而重新声明值,则无法正常工作):

public static int countDigitsLog(int value) {
    int result = 1;
    if (value > 0) {
        result += (int) Math.log10(value);
    } else if (value < 0) {
        result += (int) Math.log10(-((double) value));
    }
    return result;
}