探索结构包装

时间:2017-10-05 19:11:30

标签: c memory struct bits bit-fields

我想了解结构如何存储在小端机器上以及打包变量的情况。

假设我的位域结构如下:

struct my_struct {
    short a;
    short b: 6;
    short c: 10;
    int d;
    int e: 28;
    int f: 4;
} 

有人可以解释一下这个结构是如何在记忆中铺设的。

1 个答案:

答案 0 :(得分:3)

将每个成员设置为1并探索结构的位表示:

#include <stdio.h>
#include <limits.h>

struct my_struct {
    short a;
    short b : 6;
    short c : 10;
    int d;
    int e : 28;
    int f : 4;
};

int main(void) {
    struct my_struct my_struct;

    my_struct.a = 0x1;
    my_struct.b = 0x1;
    my_struct.c = 0x1;
    my_struct.d = 0x1;
    my_struct.e = 0x1;
    my_struct.f = 0x1;

    int size = sizeof(my_struct);

    for (int i = 0; i < size; ++i) {
        unsigned char byte = *((unsigned char *)&my_struct + i);
        for (int i = CHAR_BIT - 1; i >= 0; --i) {
            printf((byte >> i) & 0x1 ? "1" : "0");
        }
        printf(" ");
    }

    getchar();
    return 0;
}