如何在内核模块

时间:2019-03-23 19:51:47

标签: c linux linux-kernel kernel-module

我想在内核模块中使用do_mmap()。根据{{​​3}},这应该是可能的。

这是一个最小的无效示例:

hp_km.c:

#include <linux/module.h>
#include <linux/mm.h>

MODULE_LICENSE("GPL");

static int __init hp_km_init(void) {
   do_mmap(0, 0, 0, 0, 0, 0, 0, 0, 0);
   return 0;
}

static void __exit hp_km_exit(void) {
}

module_init(hp_km_init);
module_exit(hp_km_exit);
Makefile:

obj-m += hp_km.o

all:
    make -C /lib/modules/$(shell uname -r)/build M=$(PWD) modules

clean:
    make -C /lib/modules/$(shell uname -r)/build M=$(PWD) clean

运行make会产生WARNING: "do_mmap" [...] undefined!

要进行这项工作,我需要在hp_km.cMakefile中进行哪些更改?

1 个答案:

答案 0 :(得分:4)

除了重建内核,您还可以使用 kallsyms_lookup_name 查找与该符号相对应的地址

如下所示:

#include <linux/module.h>
#include <linux/mm.h>
#include <linux/kallsyms.h>

MODULE_LICENSE("GPL");

unsigned long (*orig_do_mmap)(struct file *file, unsigned long addr,
                              unsigned long len, unsigned long prot,
                              unsigned long flags, vm_flags_t vm_flags,
                              unsigned long pgoff, unsigned long *populate,
                              struct list_head *uf);

static int __init hp_km_init(void)
{
    orig_do_mmap = (void*)kallsyms_lookup_name("do_mmap");
    if (orig_do_mmap == NULL)
        return -EINVAL;

    orig_do_mmap(0, 0, 0, 0, 0, 0, 0, 0, 0);
    return 0;
}

static void __exit hp_km_exit(void)
{
}

module_init(hp_km_init);
module_exit(hp_km_exit);