将二进制转换为基数 10 而不使用 math.pow( )



我希望创建一个简单的程序,该程序可以将二进制数转换为十进制数,而无需使用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 乘以 2 numberInput.length() - 1 - i 倍。但是我很难实现这一点。

String解析为整数并为其提供基本2

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

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

1111111111111111111111111111111

因此,如果您输入比上面更大的二进制值,您将收到java.lang.NumberFormatException错误,要解决此问题,请使用 BigInteger

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

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

Integer.parseInt("101101101010111", 2); 

这不使用Math.pow :)

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

我会从字符串的末尾向后工作,并逐步计算每个字符的幂:

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;
}
你可以

使用Integer.parseInt。

类似的问题在这里得到了解答:

如何将二进制字符串值转换为十进制

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

另请参阅 Javadoc Integer.parseInt。

相关内容

  • 没有找到相关文章

最新更新