ndhc/src/nk/net_checksum.h

55 lines
1.6 KiB
C
Raw Normal View History

2020-10-20 16:14:31 +05:30
#ifndef NCMLIB_NET_CHECKSUM_H
#define NCMLIB_NET_CHECKSUM_H
// RFC 1071 is still a good reference.
2020-10-20 16:14:31 +05:30
#include <stdint.h>
// When summing ones-complement 16-bit values using a 32-bit unsigned
// representation, fold the carry bits that have spilled into the upper
// 16-bits of the 32-bit unsigned value back into the 16-bit ones-complement
// binary value.
static inline uint16_t net_checksum161c_foldcarry(uint32_t v)
{
v = (v >> 16) + (v & 0xffff);
v += v >> 16;
return v;
}
// Produces the correct result on little endian in the sense that
// the binary value returned, when stored to memory, will match
// the result on big endian; if the numeric value returned
// must match big endian results, then call ntohs() on the result.
2020-10-20 16:14:31 +05:30
static uint16_t net_checksum161c(const void *buf, size_t size)
{
const char *b = (const char *)buf;
const char *bend = b + size;
uint32_t sum = 0, sumo = 0;
if (size & 1) {
--bend;
uint8_t z[2] = { (uint8_t)*bend, 0 };
uint16_t t;
memcpy(&t, z, 2);
sumo = t;
2020-10-20 16:14:31 +05:30
}
for (; b != bend; b += 2) {
uint16_t t;
memcpy(&t, b, 2);
sum += t;
2020-10-20 16:14:31 +05:30
}
return ~net_checksum161c_foldcarry(sum + sumo);
2020-10-20 16:14:31 +05:30
}
// For two sequences of bytes A and B that return checksums CS(A) and CS(B),
// this function will calculate the checksum CS(AB) of the concatenated value
// AB given the checksums of the individual parts CS(A) and CS(B).
static inline uint16_t net_checksum161c_add(uint16_t a, uint16_t b)
{
const uint32_t A = a;
const uint32_t B = b;
return ~net_checksum161c_foldcarry((~A & 0xffffu) + (~B & 0xffffu));
}
#endif