在没有math.pow()的情况下将二进制转换为基数10?

时间:2015-02-03 19:41:19

标签: java math base-conversion

我正在寻找创建一个简单的程序,它将二进制数转换为十进制数,而不使用math.pow()。以下是我到目前为止所使用的Math.pow

import java.util.Scanner;
public class  Question1 {
  public static void main(String[] args) {
    System.out.println("Enter a binary number");
    Scanner inputKeyboard = new Scanner(System.in);
    String binaryNumber = inputKeyboard.nextLine();
    while (!checkIfBinary(binaryNumber)) {
      System.out.println("That is not a binary number.  Enter a binary number");
      binaryNumber = inputKeyboard.nextLine();
    }
    int decimalNumber = binaryToNumber(binaryNumber);
    System.out.println("Your number in base 10 is " + decimalNumber + ".");
  }

  public static boolean checkIfBinary(String input) {
    for (int i = 0; i < input.length(); i++) {
      if(input.charAt(i) != '0' && input.charAt(i) != '1') {
        return false;
      }
    }
    return true;
  }

  public static int binaryToNumber(String numberInput) {
    int total = 0;
    for (int i = 0; i < numberInput.length(); i++) {
      if (numberInput.charAt(i) == '1')  {
        total += (int) Math.pow(2, numberInput.length() - 1 - i);
      }
    }
    return total;
  }
}

我在没有math.pow的情况下遇到了取幂的问题。我知道我需要使用一个循环,这个循环应该自己乘以2 numberInput.length() - 1 - i次。但是我很难实现这个。

4 个答案:

答案 0 :(得分:3)

将您的String解析为整数,并为其提供基础2

int decimalValue = Integer.parseInt(yourStringOfBinary, 2);

但请记住,整数的最大值为2^31-1二进制的最大值为:

1111111111111111111111111111111

因此,如果输入的二进制值大于上述值,则会出现java.lang.NumberFormatException错误,要解决此问题,请使用BigInteger

int decimalValue = new BigInteger(yourBinaryString, 2).intValue()

答案 1 :(得分:2)

Integer允许您通过指定输入数字的base来执行此操作:

Integer.parseInt("101101101010111", 2); 

这不使用Math.pow:)

这可能不是你想要的,但无论如何都可以帮助任何人。

答案 2 :(得分:1)

我从字符串的末尾开始向后工作,然后逐步计算每个字符的功效:

public static int binaryToNumber (String numberInput) {
    int currentPower = 1;
    int total = 0;

    for (int i = numberInput.length() - 1; i >= 0; i--) {
        if (numberInput.charAt(i) == '1')  {
            total += currentPower;
        }
        currentPower *= 2;
    }

    return total;
}

答案 3 :(得分:1)

您可以使用Integer.parseInt。

此处已回答类似问题:

How to convert binary string value to decimal

唯一不同的是,在上面引用的答案中,他们将字符串(“01101”)转换为十进制整数。

同时引用Javadoc Integer.parseInt