我想做一个非常简单的模块。所以,我只是制作了一个hello_module.c
文件和一个Makefile
.
Makefile
:
obj-m := hello_module.o
KERNEL_DIR := /lib/modules/$(shell uname -r)/build
PWD := $(shell pwd)
default:
$(MAKE) -C $(KERNEL_DIR) SUBDIRS=$(PWD) modules
clean:
$(MAKE) -C $(KERNEL_DIR) SUBDIRS=$(PWD) clean
hello_module.c
:
#include <linux/kernel.h>
#include <linux/module.h>
#include <linux/init.h>
#include <linux/kthread.h> // for thread
#include <linux/slab.h> // for kmalloc
#include <linux/delay.h>
int test_thread(void * _arg) {
int * arg = (int * ) _arg;
printk("argument : %dn", * arg);
kfree(arg);
return 0;
}
void thread_create(void) {
int i;
/* thread create */
for (i = 0; i < 10; i++) {
int * arg = (int * ) kmalloc(sizeof(int), GFP_KERNEL);
* arg = i;
kthread_run( & test_thread, (void * ) arg, "test_thread");
}
}
int __init hello_module_init(void) {
thread_create();
printk(KERN_EMERG "Hello Modulen");
return 0;
}
但是,它没有制作任何.ko
文件。此外,没有错误。
结果如下:
rashta@rashta-VirtualBox:~/Desktop/ehh$ sudo make
[sudo] password for rashta:
make -C /lib/modules/5.4.71yujin/build SUBDIRS=/home/rashta/Desktop/ehh modules
make[1]: Entering directory '/usr/src/linux-5.4.71'
CALL scripts/checksyscalls.sh
CALL scripts/atomic/check-atomics.sh
DESCEND objtool
CHK kernel/kheaders_data.tar.xz
Building modules, stage 2.
MODPOST 5483 modules
make[1]: Leaving directory '/usr/src/linux-5.4.71'
我做错了什么?
你的Makefile
是错误的。为了构建内核模块,你需要传递M=
,而不是SUBDIRS=
。这应该有效:
obj-m := hello_module.o
KERNEL_DIR := /lib/modules/$(shell uname -r)/build
PWD := $(shell pwd)
default:
$(MAKE) -C $(KERNEL_DIR) M=$(PWD) modules
clean:
$(MAKE) -C $(KERNEL_DIR) M=$(PWD) clean
此外,您的模块缺少一些成功编译的部分,即定义要使用的函数的module_init()
宏。将以下内容添加到代码中:
void __exit hello_module_exit(void) {
// Not required, but needed to be able to unload the module.
return;
}
module_init(hello_module_init);
module_exit(hello_module_exit);
MODULE_VERSION("0.1");
MODULE_DESCRIPTION("Test module");
MODULE_AUTHOR("You");
MODULE_LICENSE("GPL");
很长一段时间以来,kbuild 以与M=
相同的方式处理SUBDIRS=
参数。在 Linux 内核 5.3 之后不再如此:对SUBDIRS=
的支持已被放弃。
因此,与其使用SUBDIRS=$(PWD)
不如使用M=$(PWD)
.
人们可以在 5.3 版本的 Makefile 中找到以下警告(但之后不会!
ifdef SUBDIRS
$(warning ================= WARNING ================)
$(warning 'SUBDIRS' will be removed after Linux 5.3)
$(warning )
$(warning If you are building an individual subdirectory)
$(warning in the kernel tree, you can do like this:)
$(warning $$ make path/to/dir/you/want/to/build/)
$(warning (Do not forget the trailing slash))
$(warning )
$(warning If you are building an external module,)
$(warning Please use 'M=' or 'KBUILD_EXTMOD' instead)
$(warning ==========================================)
KBUILD_EXTMOD ?= $(SUBDIRS)
endif