crc(循环冗余校验)是一种常用来检验数据完整性和正确性的算法,常用于网络传输校验,压缩算法等等,简单来说,crc把一个待校验字符串当作一个非常大的整数,然后除以一个特定的数,所得的余数就是crc校验值,只不过在进行除法运算时,对二进制数加减采用模二运算,也即异或运算。
以下代码是网上找的,用于RS485调试红外控制器时,软件生成的CRC码与本段程序生成的是反的,需要注意一下。
<?
function calculateCRC16Modbus($data) {
$crc = 0xFFFF;
$polynomial = 0xA001; // This is the polynomial x^16 + x^15 + x^2 + 1
foreach ($data as $byte) {
$crc ^= $byte;
for ($i = 0; $i < 8; $i++) {
if ($crc & 0x0001) {
$crc = (($crc >> 1) ^ $polynomial) & 0xFFFF;
} else {
$crc >>= 1;
}
}
}
return $crc;
}
$dataHexString = "01050001ff00"; //程序计算出的结果 是反的
$dataBytes = [];
for ($i = 0; $i < strlen($dataHexString); $i += 2) {
$dataBytes[] = hexdec(substr($dataHexString, $i, 2));
}
$crc = calculateCRC16Modbus($dataBytes);
echo strtoupper(dechex($crc)); // Output the CRC as an uppercase hexadecimal string
?>
01 05 00 00 FF 00 8C 3A
01 05 00 01 FF 00 DD FA
8 天前