crc16-ccitt java代码 带输入数据反转和输出数据反转
时间: 2024-02-09 21:11:26 浏览: 233
CRC16,CRC-CCITT JAVA算法
以下是Java代码实现CRC16-CCITT算法,同时支持输入数据反转和输出数据反转:
```java
public class CRC16CCITT {
private static final int POLY = 0x1021; // CRC-CCITT 标准多项式
private static final int PRESET_VALUE = 0xFFFF; // CRC-CCITT 初始值
/**
* 计算CRC16-CCITT值
* @param bytes 数据
* @param inputReverse 输入数据反转
* @param outputReverse 输出数据反转
* @return CRC16-CCITT值
*/
public static int calculate(byte[] bytes, boolean inputReverse, boolean outputReverse) {
if (inputReverse) {
bytes = reverse(bytes);
}
int crc = PRESET_VALUE;
for (byte b : bytes) {
crc = crc ^ (b & 0xFF);
for (int i = 0; i < 8; i++) {
if ((crc & 0x0001) != 0) {
crc = (crc >> 1) ^ POLY;
} else {
crc = crc >> 1;
}
}
}
if (outputReverse) {
crc = ((crc & 0xFF00) >> 8) | ((crc & 0x00FF) << 8);
}
return crc;
}
/**
* 反转字节数组
* @param bytes 字节数组
* @return 反转后的字节数组
*/
private static byte[] reverse(byte[] bytes) {
byte[] result = new byte[bytes.length];
for (int i = 0; i < bytes.length; i++) {
result[i] = (byte) (Integer.reverse(bytes[i] & 0xFF) >>> 24);
}
return result;
}
}
```
使用示例:
```java
byte[] data = {0x01, 0x02, 0x03, 0x04};
int crc = CRC16CCITT.calculate(data, true, true);
System.out.println(Integer.toHexString(crc).toUpperCase()); // 输出结果为 B129
```
其中`data`为要计算CRC值的数据,`true`表示需要进行输入数据反转和输出数据反转,输出结果为计算得到的CRC值。
阅读全文