访问和存储struct元素

时间:2013-03-07 16:57:05

标签: c

我是编码的新手,在一个事件中遇到了这个代码片段,这段代码究竟做了什么? 提前谢谢。

 #include <stdio.h>
 #define OFFSETOF(TYPE,ELEMENT) ((size_t)&(((TYPE *)50)->ELEMENT))
 typedef struct PodTag
 {
 char i;
 int  d;
 int c;
 } PodType;
 int main()
 {
  printf("%d\n", OFFSETOF(PodType,c) );
  printf("%d\n", OFFSETOF(PodType,d) );
  printf("%d\n", OFFSETOF(PodType,i) );
  printf("%d \n %d",(&((PodType*)0)->d),sizeof(((PodType*)0)->i));
  getchar();
  return 0;
 }

1 个答案:

答案 0 :(得分:5)

此代码演示了结构如何在C中存储在内存中。

代码用这种方式写得更好:

#include <stdio.h>

#define OFFSETOF(TYPE,ELEMENT) ((size_t)&(((TYPE *)100)->ELEMENT))

typedef struct PodTag {
    char c;
    int  i;
    int  j;
} PodType;

int main()
{
    printf("The size of a char is %d\n", sizeof(((PodType*)0)->c));
    printf("The size of an int is %d\n", sizeof(((PodType*)0)->i));
    printf("The size of a PodType is %d\n", sizeof(PodType));
    printf("The size of a pointer to a PodType is %d\n\n", sizeof(PodType*));

    printf("If there was a PodType at location 100, then:\n");
    printf("    the memory location of char c would be: %d\n",
        OFFSETOF(PodType,c));
    printf("    the memory location of int  i would be: %d\n",
        OFFSETOF(PodType,i));
    printf("    the memory location of int  j would be: %d\n",
        OFFSETOF(PodType,j));

    return 0;
}

此代码的输出为:

The size of a char is 1
The size of an int is 4
The size of a PodType is 12
The size of a pointer to a PodType is 8

If there was a PodType at location 100, then:
    the memory location of char c would be: 100
    the memory location of int  i would be: 104
    the memory location of int  j would be: 108