list_entry() 宏可以用来获得链表结构体指针,它定义在 include/linux/list.h 中:
[C++] 纯文本查看 复制代码 /**
* list_entry - get the struct for this entry
* @ptr: the &struct list_head pointer.
* @type: the type of the struct this is embedded in.
* @member: the name of the list_struct within the struct.
*/
#define list_entry(ptr, type, member) \
container_of(ptr, type, member)
从定义可以看到,它实际上是 container_of(ptr, type, member) 宏 --- 该宏根据成员变量 member 的指针 ptr 获得该成员变量所在 type 类型数据结构的地址,然后返回该地址。
比如一个结构体为:
[C++] 纯文本查看 复制代码 struct testlist {
long data;
struct list_head list;
}
访问成员变量 data 可以通过 list_entry(list_ptr, struct testlist, list)->data 来获得。
示例:
[C++] 纯文本查看 复制代码
#include <linux/module.h>
#include <linux/kernel.h>
#include <linux/init.h>
#include <linux/version.h>
#include <linux/list.h>
MODULE_LICENSE("Dual BSD/GPL");
struct module *m = &__this_module;
static int list_module_init (void)
{
printk ("---------------------------\n");
printk ("this_module_address1:0x%p\n", list_entry(&(m->list), struct module, list));
printk ("this_module address2:0x%p\n", m);
printk ("---------------------------\n");
return 0;
}
static void list_module_exit (void)
{
printk ("unload listmodule.ko\n");
}
module_init(list_module_init);
module_exit(list_module_exit);
上面对两个地址的打印应该是一样的:---------------------------
this_module_address1:0xf7e9f100
this_module address2:0xf7e9f100
---------------------------
关于内核链表描述可参考:http://www.groad.net/bbs/read.php?tid-3181.html
关于 container_of 宏的具体分析可参考:http://www.groad.net/bbs/read.php?tid-1118.html |