mirror of
https://github.com/RobTillaart/Arduino.git
synced 2024-10-03 18:09:02 -04:00
97 lines
1.3 KiB
C++
97 lines
1.3 KiB
C++
//
|
|
// FILE: CRC8.cpp
|
|
// AUTHOR: Rob Tillaart
|
|
// PURPOSE: Arduino class for CRC8;
|
|
// URL: https://github.com/RobTillaart/CRC
|
|
|
|
|
|
#include "CRC8.h"
|
|
|
|
|
|
CRC8::CRC8()
|
|
{
|
|
reset();
|
|
}
|
|
|
|
|
|
void CRC8::reset()
|
|
{
|
|
_polynome = CRC8_DEFAULT_POLYNOME;
|
|
_startMask = 0;
|
|
_endMask = 0;
|
|
_crc = 0;
|
|
_reverseIn = false;
|
|
_reverseOut = false;
|
|
_started = false;
|
|
_count = 0;
|
|
}
|
|
|
|
|
|
void CRC8::restart()
|
|
{
|
|
_started = true;
|
|
_crc = _startMask;
|
|
_count = 0;
|
|
}
|
|
|
|
|
|
void CRC8::add(uint8_t value)
|
|
{
|
|
_count++;
|
|
_update(value);
|
|
}
|
|
|
|
|
|
void CRC8::add(uint8_t * array, uint32_t length)
|
|
{
|
|
_count += length;
|
|
while (length--)
|
|
{
|
|
yield();
|
|
_update(*array++);
|
|
}
|
|
}
|
|
|
|
|
|
uint8_t CRC8::getCRC()
|
|
{
|
|
uint8_t rv = _crc;
|
|
if (_reverseOut) rv = _reverse(rv);
|
|
rv ^= _endMask;
|
|
return rv;
|
|
}
|
|
|
|
|
|
void CRC8::_update(uint8_t value)
|
|
{
|
|
if (!_started) restart();
|
|
if (_reverseIn) value = _reverse(value);
|
|
_crc ^= value;
|
|
for (uint8_t i = 8; i; i--)
|
|
{
|
|
if (_crc & (1 << 7))
|
|
{
|
|
_crc <<= 1;
|
|
_crc ^= _polynome;
|
|
}
|
|
else
|
|
{
|
|
_crc <<= 1;
|
|
}
|
|
}
|
|
}
|
|
|
|
|
|
uint8_t CRC8::_reverse(uint8_t in)
|
|
{
|
|
uint8_t x = in;
|
|
x = (((x & 0xAA) >> 1) | ((x & 0x55) << 1));
|
|
x = (((x & 0xCC) >> 2) | ((x & 0x33) << 2));
|
|
x = ((x >> 4) | (x << 4));
|
|
return x;
|
|
}
|
|
|
|
|
|
// -- END OF FILE --
|
|
|