我一般在用C语言编写时忽略了使用宏,但我想我知道它们的基本原理.当我在
linux内核中阅读list的源代码时,我看到了类似的东西:
#define LIST_HEAD_INIT(name) { &(name),&(name) } #define LIST_HEAD(name) \ struct list_head name = LIST_HEAD_INIT(name)
我在LIST_HEAD_INIT中并不理解&符号的功能(我不认为它们是操作数的地址),因此在代码中使用了LIST_HEAD_INIT.如果有人能开导我,我会很感激.
解决方法
要知道实际发生了什么,我们需要struct list_head的定义:
struct list_head { struct list_head *next,*prev; };
现在考虑一下宏:
#define LIST_HEAD_INIT(name) { &(name),&(name) } #define LIST_HEAD(name) struct list_head name = LIST_HEAD_INIT(name)
如果在代码中我写了LIST_HEAD(foo),它会扩展为:
struct list_head foo = { &(foo),&(foo)}
它表示带有标题节点的空双向链表,其中next和prev指针指向标题节点本身.
它与做:
struct list_head foo; foo.next = &foo; foo.prev = &foo;
因此,这些宏有效地提供了一种初始化双向链表的方法.
是的,&在这里用作运算符的地址.
编辑:
这是一个working example
在您提供的链接中.你有过:
struct list_head test = LIST_HEAD (check);
哪个不对.你应该有:
LIST_HEAD (check);