计算低和高字节CRC16 - Java

时间:2016-06-06 08:52:58

标签: java algorithm hex byte crc16

我遇到了CRC16算法的问题。有一个十六进制80 01 F0的字符串,在CRC16之后我得到低字节= 23而高一个= 80.所以,问题是如何计算这两个字节?我尝试了CRC计算器,但没有结果。此外,如果在Java中有此方法的示例,那将是完美的。 在手册中还有其他信息: 使用在所有字节上计算的多项式(X16 + X15 + X2 + 1)的正向CRC-16算法的低字节和高字节。它使用种子0xFFFF进行初始化。

1 个答案:

答案 0 :(得分:1)

感谢您的回复。我相信我的答案对其他人有用。经过测试和运行的代码。

    private static byte[] getCRC16LowHighBytes(byte[] byteSequence) {
    // Create a byte array for Low and High bytes
    byte[] returnBytes = new byte[2];
    int crc = CRC16_SEED;
    for (int i = 0; i < byteSequence.length; ++i) {
        crc ^= (byteSequence[i] << 8);
        for (int j = 0; j < 8; ++j) {
            if ((crc & 0x8000) != 0) {
                crc = (crc << 1) ^ CRC16_POLINOM;
            } else {
                crc <<= 1;
            }
        }
    }
    byte[] crcBytes = getBytes(crc);
    // The first two bytes of crcBytes are low and high bytes respectively.
    for (int i = 0; i < returnBytes.length; i++) {
        returnBytes[i] = crcBytes[i];
    }
    return returnBytes;
}

private static byte[] getBytes(int v) {
    byte[] writeBuffer = new byte[4];
    writeBuffer[3] = (byte) ((v >>> 24) & 0xFF);
    writeBuffer[2] = (byte) ((v >>> 16) & 0xFF);
    writeBuffer[1] = (byte) ((v >>> 8) & 0xFF);
    writeBuffer[0] = (byte) ((v >>> 0) & 0xFF);
    return writeBuffer;
}