将BigInteger拆分为半字节数组

时间:2014-05-30 15:25:39

标签: java bit biginteger nibble

有没有办法可以将BigInteger拆分成半字节数组(4位段)?有一种内置的方法来获取字节数组BigInteger.toByteArray(),但不是一种获取半字节的方法。

1 个答案:

答案 0 :(得分:1)

您可以使用从toByteArray()

获得的字节数组创建自己的方法来执行此操作
public static List<Byte> getNibbles(byte[] bytes) {
    List<Byte> nibbles = new ArrayList<Byte>();

    for (byte b : bytes) {
        nibbles.add((byte) (b >> 4));
        nibbles.add((byte) ((b & 0x0f)));
    }

    return nibbles;
}

public static void main(String[] args) {
    BigInteger i = BigInteger.valueOf(4798234);
    System.out.println(Arrays.toString(i.toByteArray()));
    System.out.println(getNibbles(i.toByteArray()));
}

输出

[73, 55, 26]
[4, 9, 3, 7, 1, 10]

取字节55.您将最高4位和最低4位添加到半字节列表中。

55 = 00110111
(55 >> 4) = 00000011 (3)
(55 & 0x0f) = 00000111 (7)