crc32c_sw.c 1.1 KB

12345678910111213141516171819202122232425262728293031323334353637383940
  1. /*
  2. * Copyright (c) 2021 Workaround GmbH.
  3. *
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. #include <sys/crc.h>
  7. /* crc table generated from polynomial 0x1EDC6F41UL (Castagnoli) */
  8. static const uint32_t crc32c_table[16] = {
  9. 0x00000000UL, 0x105EC76FUL, 0x20BD8EDEUL, 0x30E349B1UL,
  10. 0x417B1DBCUL, 0x5125DAD3UL, 0x61C69362UL, 0x7198540DUL,
  11. 0x82F63B78UL, 0x92A8FC17UL, 0xA24BB5A6UL, 0xB21572C9UL,
  12. 0xC38D26C4UL, 0xD3D3E1ABUL, 0xE330A81AUL, 0xF36E6F75UL
  13. };
  14. /* This value needs to be XORed with the final crc value once crc for
  15. * the entire stream is calculated. This is a requirement of crc32c algo.
  16. */
  17. #define CRC32C_XOR_OUT 0xFFFFFFFFUL
  18. /* The crc32c algorithm requires the below value as Init value at the
  19. * beginning of the stream.
  20. */
  21. #define CRC32C_INIT 0xFFFFFFFFUL
  22. uint32_t crc32_c(uint32_t crc, const uint8_t *data,
  23. size_t len, bool first_pkt, bool last_pkt)
  24. {
  25. if (first_pkt) {
  26. crc = CRC32C_INIT;
  27. }
  28. for (size_t i = 0; i < len; i++) {
  29. crc = crc32c_table[(crc ^ data[i]) & 0x0F] ^ (crc >> 4);
  30. crc = crc32c_table[(crc ^ ((uint32_t)data[i] >> 4)) & 0x0F] ^ (crc >> 4);
  31. }
  32. return last_pkt ? (crc ^ CRC32C_XOR_OUT) : crc;
  33. }