• &((type *)0)->member的用法


     问题缘由,在学习 rt-thread 内核的时候遇到了这么一行代码:

    1. to_thread = rt_list_entry(rt_thread_priority_table[0].next,
    2. struct rt_thread,
    3. tlist);

    而 rt_list_entry 的宏定义如下:

    1. /* 已知一个结构体里面的成员的地址,反推出该结构体的首地址 */
    2. #define rt_container_of(ptr, type, member) \
    3. ((type *)((char *)(ptr) - (unsigned long)(&((type *)0)->member)))
    4. #define rt_list_entry(node, type, member) \
    5. rt_container_of(node, type, member)

    但是不理解 &((type *)0)->member 这段代码的意义,于是在网上搜集了一些资料后,总结如下:

    该语句可以在不生成结构体实例的情况下计算结构体成员的偏移量,结构体变量的某成员的地址等于该结构体变量的基址加上结构体成员变量在结构体中的偏移量。而 (type*)0 就是假设地址 0 处存放的是一个 type 类型的结构体变量,这样的话这个结构体变量的基址就是 0,所以结构体成员 ((type *)0)->member 的地址的大小在数值上就等于该结构体成员在结构体中的偏移量

    下面是一个简单的例子:

    1. struct test {
    2. short a; // 偏移 0 个字节,占用 2 个字节
    3. short b; // 偏移 2 个字节,占用 2 个字节
    4. int c; // 偏移 4 个字节,占用 4 个字节
    5. int d; // 偏移 8 个字节,占用 4 个字节
    6. };
    7. int main(void) {
    8. printf("a 偏移 %d 个字节, 占用 %d 个字节\n", (unsigned long) &((struct test *)0)->a, (unsigned long) sizeof(((struct test *)0)->a));
    9. printf("b 偏移 %d 个字节, 占用 %d 个字节\n", (unsigned long) &((struct test *)0)->b, (unsigned long) sizeof(((struct test *)0)->b));
    10. printf("c 偏移 %d 个字节, 占用 %d 个字节\n", (unsigned long) &((struct test *)0)->c, (unsigned long) sizeof(((struct test *)0)->c));
    11. printf("d 偏移 %d 个字节, 占用 %d 个字节\n", (unsigned long) &((struct test *)0)->d, (unsigned long) sizeof(((struct test *)0)->d));
    12. return 0;
    13. }

    可以看到结果和我们预想的一样:

    因为在 C 中,结构体内成员的偏移量是不会发生变化的,所以知道了一个结构体中的成员的地址和偏移量,我们就可以计算出结构体的地址,如下面这个例子:

    1. struct test {
    2. short a; // 偏移 0 个字节,占用 2 个字节
    3. short b; // 偏移 2 个字节,占用 2 个字节
    4. int c; // 偏移 4 个字节,占用 4 个字节
    5. int d; // 偏移 8 个字节,占用 4 个字节
    6. };
    7. int main(void) {
    8. struct test t1;
    9. t1.a = 1;
    10. t1.b = 2;
    11. t1.c = 3;
    12. t1.d = 4;
    13. // 假设我们只知道 t1 结构体中 d 的地址
    14. int * d_ptr = &t1.d;
    15. // 那么我们可以通过如下方式获取到 t1 结构体的地址
    16. struct test *t2 = (struct test *)((char *)d_ptr - (unsigned long)(&((struct test *)0)->d));
    17. printf("a = %d, b = %d, c = %d, d = %d\n", t2->a, t2->b, t2->c, t2->d);
    18. return 0;
    19. }

    最终的结果如下:

    在 rt-thread 中,链表结构体很简单,只有前向指针和后向指针两个参数:

    如果有结构体需要使用链表结构的话,直接把上述结构体包含进来即可:

    在遍历链表的时候,我们只需要用到 rt_list_t 结构体,找到对应的结构体后,我们再通过 rt_list_t 结构体及其偏移计算出 rt_thread 结构体的地址,是不是很灵活!

    另外,在 linux 内核中,链表也是用这种方式实现的。 

  • 相关阅读:
    全栈性能测试教程之性能测试理论(一) mockserver应用
    Vue绑定样式,条件渲染,列表渲染
    C# 集合
    SpringBoot中优雅地实现统一响应对象
    【21天学习挑战赛—Java编程进阶之路】(5)
    嵌套for循环在外层循环和内层循环中使用两个Executors.newCachedThreadPool缓存线程池执行操作
    对京东云鼎的学习笔记
    基于主要成分分析的人脸二维码识别系统-含Matlab代码
    蓝桥杯每日一题2032.10.24
    【老生谈算法】matlab实现低阶函数的二维图像获取——二维图像获取
  • 原文地址:https://blog.csdn.net/qq_51103378/article/details/132853627