用一行代码实现宏offsetof

用一行代码实现宏offsetof

简介宏offsetof

offsetof (type,member)

type为类型名

member为成员名

作用:

  • This macro with functional form returns the offset value in bytes of member member in the data structure or union type type. The value returned is an unsigned integral value of type size_t with the number of bytes between the specified member and the beginning of its structure.——此具有函数形式的宏返回数据结构或联合类型类型中成员成员的偏移值(以字节为单位)返回的值是类型为 size_t 的无符号整数值,具有指定成员与其结构开头之间的字节数。

  • 简单来说,就是返回结构体成员相较于结构开头的偏移量(单位为字节)

例如:

#include       /* printf */
#include      /* offsetof */

struct foo {
  char a;
  char b[10];
  char c;
};

int main ()
{
  printf ("offsetof(struct foo,a) is %d\n",(int)offsetof(struct foo,a));
  printf ("offsetof(struct foo,b) is %d\n",(int)offsetof(struct foo,b));
  printf ("offsetof(struct foo,c) is %d\n",(int)offsetof(struct foo,c));
  
  return 0;
}

output:

offsetof(struct foo,a) is 0
offsetof(struct foo,b) is 1
offsetof(struct foo,c) is 11

模拟实现

要算出结构成员相较于结构开头的偏移量,这是不方便的。因为当我们只传入一个参数时,我们无法确定结构的起始地址。

但如果我们可以让起始地址为0,那么结构成员相较于起始地址的偏移量就是该成员的地址了。

因此我们可以这么写:

#define OFFSETOF(type,member) (size_t)&(((type *)0)->member)
  • 我们直接将地址0处强制转换为type类型,这样结构的起始地址就是0了
  • 接下来我们再引用结构成员,对其取地址,得到的也就是相较于结构开头的偏移量了
  • 最后将地址转换为size_t类型返回即可

你可能感兴趣的:(#,C语言随笔,c语言,开发语言)