存储在 BigInteger 中并检索回来时出现数字问题
BigInteger bx=new BigInteger("5888561920");
System.out.println("bx:"+bx);
byte x[]=new byte[5];
x=bx.toByteArray();
for(k=4;cnt<4;k--)
{
cnt++;
t[k-1]=x[k];
}
for(i=0;i<4;i++)
System.out.print(" "+t[i]);
System.out.println("\nbig: "+toInt(t));
上面代码的输出是:
bx:5888561920
94 -4 83 0
big: 1593594624
这里的问题是当我将一个大整数转换为字节数组并再次将相同的字节数组转换为大整数时,大整数的值正在改变。但是,当我用“2944280960”或“3806908688”替换数字“5888561920”时,没有问题,我得到与输出相同的数字。这里有什么问题呢?是BigInteger还是“5888561920”的问题
我自己写了toInt方法:
public static BigInteger toInt(byte[] b){
String st=new String();
for(int k=3;k>=0;k--){
for(int i=0;i<8;i++)
{
if ((b[k] & 0x01) == 1)
{
st="1"+st;
}
else
{
st="0"+st;
}
b[k]= (byte) (b[k] >> 1);
}
}
BigInteger bi=new BigInteger(st,2);
return bi;
}
BigInteger bx=new BigInteger("5888561920");
System.out.println("bx:"+bx);
byte x[]=new byte[5];
x=bx.toByteArray();
for(k=4;cnt<4;k--)
{
cnt++;
t[k-1]=x[k];
}
for(i=0;i<4;i++)
System.out.print(" "+t[i]);
System.out.println("\nbig: "+toInt(t));
The output for the above code is:
bx:5888561920
94 -4 83 0
big: 1593594624
The problem here is when i am converting a big integer into a byte array and again converting the same byte array to a big integer, the values of big integer are changing. But when i replace the number "5888561920" with "2944280960" or "3806908688" there is no problem i am getting the same number as output. What is the problem here? Is the problem with BigInteger or "5888561920"
I have written the toInt method myself:
public static BigInteger toInt(byte[] b){
String st=new String();
for(int k=3;k>=0;k--){
for(int i=0;i<8;i++)
{
if ((b[k] & 0x01) == 1)
{
st="1"+st;
}
else
{
st="0"+st;
}
b[k]= (byte) (b[k] >> 1);
}
}
BigInteger bi=new BigInteger(st,2);
return bi;
}
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(2)
在 toInt() 中,您将连接数字的 32 个最低有效位 (k=0..3 xi=0..7)。
5888561920 大于 32 位数字。事实上,它的二进制表示形式(根据 Windows Calc)是 101011110111111000101001100000000,长度为 33 位。您已经截断了最重要的位。
2944280960 和 3806908688 适合 32 位(无论如何,第 33 位及以后的位都为零)。
所以我想你毕竟需要第五个字节:)
In toInt(), you're concatenating the 32 least significant bits (k=0..3 x i=0..7) of the number.
5888561920 is larger than a 32-bit number. In fact its binary representation (according to Windows Calc) is 101011110111111000101001100000000, which is 33 bits long. You've truncated the most significant bit.
2944280960 and 3806908688 fit within 32 bits (bits 33 and beyond would all be zeroes anyway).
So I guess you do need that fifth byte, after all : )
5888561920 的低 4 个字节是 (5888561920 % 2^32) == 1593594624
如果要存储这个数字,则需要超过 4 个字节。
The lower 4 bytes of 5888561920 is (5888561920 % 2^32) == 1593594624
If you want to store this number you need more than 4 bytes.