Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to use do_mmap() in kernel module

Tags:

I would like to use do_mmap() in a kernel module. According to this question this should be possible.

Here is a minimal non-working example:

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

Running make results in WARNING: "do_mmap" [...] undefined!

What do I need to change in hp_km.cor Makefile to make this work?

like image 358
andreas Avatar asked Mar 23 '19 19:03

andreas


1 Answers

In addition to rebuild the kernel, you can also use kallsyms_lookup_name to find the address corresponding to the symbol

such as below:

#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);
like image 133
ccxxshow Avatar answered Sep 19 '22 22:09

ccxxshow