我试图找到一种快速/简单的方法,将二元补码字符串转换为负十进制数。我曾尝试使用这个问题中提出的方法,但它不起作用。这是我正在尝试运行的代码:
short res = (short)Integer.parseInt("1001", 2);
System.out.println(res);
当我运行此代码时,结果是9。我错过了什么吗?我做错了什么?
按照二者的补码算法,我写了以下内容:
public static int getTwosComplement(String binaryInt) {
//Check if the number is negative.
//We know it's negative if it starts with a 1
if (binaryInt.charAt(0) == '1') {
//Call our invert digits method
String invertedInt = invertDigits(binaryInt);
//Change this to decimal format.
int decimalValue = Integer.parseInt(invertedInt, 2);
//Add 1 to the curernt decimal and multiply it by -1
//because we know it's a negative number
decimalValue = (decimalValue + 1) * -1;
//return the final result
return decimalValue;
} else {
//Else we know it's a positive number, so just convert
//the number to decimal base.
return Integer.parseInt(binaryInt, 2);
}
}
public static String invertDigits(String binaryInt) {
String result = binaryInt;
result = result.replace("0", " "); //temp replace 0s
result = result.replace("1", "0"); //replace 1s with 0s
result = result.replace(" ", "1"); //put the 1s back in
return result;
}
以下是一些运行示例:
运行:
两补:1000:-8
两补:1001:-7
两补:1010:-6
两补:0000:0
两补:0001:1
两补:0111:7
当我运行此代码时,结果是9。
因为它应该是。
我错过什么了吗?我做错了什么?
您的代码和您引用的答案之间的差异是输入中的位数。如果不指定宽度,“两个补码”就不能很好地定义。您复制的答案是16位2的补码,因为Java是16位宽的。如果需要4位2的补码,则没有相应的Java数据类型,因此无法使用相同的快捷方式。