struct — C ++ складывает все байты в структуре

Учитывая упакованную структуру как это:

struct RSDPDescriptor {
char Signature[8];
uint8_t Checksum;
char OEMID[6];
uint8_t Revision;
uint32_t RsdtAddress;
} __attribute__ ((packed));

Как я могу суммировать все отдельные байты в нем?

-1

Решение

Вот некоторый код, который показывает два способа сделать это.

Первый способ проще и эффективнее, но даст неверный результат для структуры, которая не имеет атрибута pack (поскольку он неправильно включает байты заполнения в свой список).

Второй подход будет работать на любой структуре, дополненной или упакованной.

#include <stdio.h>
#include <stdlib.h>

template<typename T> int CountBytes(const T & t)
{
int count = 0;
const unsigned char * p = reinterpret_cast<const unsigned char *>(&t);
for (int i=0; i<sizeof(t); i++) count += p[i];
return count;
}

struct RSDPDescriptor {
char Signature[8];
unsigned char Checksum;
char OEMID[6];
unsigned char Revision;
unsigned int RsdtAddress;
} __attribute__ ((packed));

int main(int, char **)
{
struct RSDPDescriptor x;

int byteCountFast = CountBytes(x);
printf("Fast result (only works correctly if the struct is packed) is:  %i\n", byteCountFast);

int byteCountSafe = CountBytes(x.Signature) + CountBytes(x.Checksum) + CountBytes(x.OEMID) + CountBytes(x.Revision) + CountBytes(x.RsdtAddress);
printf("Safe result (will work even if there is padding) is:  %i\n", byteCountSafe);

return 0;
}
5

Другие решения

Я бы с нетерпением ждал std::accumulate:

template <typename T>
size_t sum_bytes(const T& obj) {
const unsigned char* p = reinterpret_cast<const unsigned char*>(&obj);
return std::accumulate(p, p + sizeof(T), 0u);
}
6

По вопросам рекламы [email protected]