如何在Davik VM上将String-Integer签名值转换为2字节数组?

时间:2012-04-27 14:15:39

标签: java android dalvik

给定字符串中的整数值,我想将其转换为2字节有符号整数。

BigInteger完成这项工作,但我不知道如何授予2个字节......

public void handleThisStringValue(String x, String y){
  BigInteger bi_x = new BigInteger(x, 10);          
  BigInteger bi_y = new BigInteger(y, 10);
  byte[] byteX = bi_x.toByteArray();
  byte[] byteY = bi_y.toByteArray();
}

我注意到BigInteger.toByteArray()处理适合我的负值。

然后我需要阅读这些值(消极和积极的),或者说将byte[2]转换为signed int。有什么建议吗?

4 个答案:

答案 0 :(得分:2)

嗯,你的问题仍然缺乏某些信息。

首先,Java整数是32位长,所以它们不适合2字节数组,需要一个4字节数组,否则你实际上处理的是16位长的短数据类型。

另外,不确定是否需要处理任何类型的字节顺序(小端,大端)。

无论如何,假设您使用的是仅适合16位和大端字节排序的整数,您可以执行以下操作来创建字节数组:

public static byte[] toByteArray(String number){
    ByteBuffer buffer = ByteBuffer.allocate(4);
    buffer.putInt(Integer.parseInt(number));
    return Arrays.copyOfRange(buffer.array(), 2, 4); //asumming big endian
}

如下所示将其转换回来:

public static int toInteger(byte[] payload){
    byte[] data = new byte[4];
    System.arraycopy(payload, 0, data, 2, 2);
    return ByteBuffer.wrap(data).getInt(); 
}

您还可以使用ByteBuffer.order方法更改ByteBuffer的字节顺序。

我用它如下:

byte[] payload = toByteArray("255");
int number = toInteger(payload);
System.out.println(number);

输出为255

答案 1 :(得分:1)

int x = bs[0] | ((int)bs[1] << 8);
if (x >= 0x8000) x -= 0x10000;
// Reverse
bs[0] = (byte)(x & 0xFF);
bs[1] = (byte)((x >> 8) & 0xFF);

答案 2 :(得分:0)

你可以反过来:

new BigInteger(byteX);
new BigInteger(byteY);

这正是您想要的,然后您可以使用.intvalue()将其作为int

答案 3 :(得分:0)

解决方案很简单,基于我在这里找到的帖子(谢谢大家):

请记住,我想要一个2字节的整数...所以它是一个短的!

String val= "-32";
short x = Short.parseShort(val);
byte[] byteX = ByteBuffer.allocate(2).putShort(x).array();

......它有效!

然后,我使用BigInteger读回来了!

int x1 = new BigInteger(byteX).intValue();

short x2 = new BigInteger(x).shortValue();