I'm trying to compile the following program in Ubuntu. But I keep getting the error: "stdio.h: No such file or directory" error.
#include <stdio.h>
int main(void)
{
printf("Hello world");
}
My makefile is:
obj-m += hello.o
all:
make -I/usr/include -C /lib/modules/$(shell uname -r)/build M=$(PWD) modules
clean:
make -C /lib/modules/$(shell uname -r)/build M=$(PWD) clean
Your way of building your program is the way to build kernel module and not c program application. and stdio.h
does not exist in the environment of the kernel development so that's why you get the error:
error: "stdio.h: No such file or directory" error
1) If you want to build a linux application then your Makefile is wrong:
You should modify your Makefile
Use the following Makefile:
all: hello
test: test.c
gcc -o hello hello.c
clean:
rm -r *.o hello
2) If you want to build a kernel module then your c code is wrong
stdio.h
in the kernel space development. Itdoes not
exist in the environment of the kernel development so that's why you
get the errormain()
in the kernel module C codeprintf()
in the kernel module C codeINSTEAD of using stdio.h
, you have to use the following include
#include <linux/module.h> /* Needed by all modules */
#include <linux/kernel.h> /* Needed for KERN_INFO */
INSTEAD of using int main() {
, you have to use
int init_module(void) {
INSTEAD of using printf()
use printk()
Use the following hello module instead of your hello code
/*
* hello-1.c - The simplest kernel module.
*/
#include <linux/module.h> /* Needed by all modules */
#include <linux/kernel.h> /* Needed for KERN_INFO */
int init_module(void)
{
printk(KERN_INFO "Hello world 1.\n");
/*
* A non 0 return means init_module failed; module can't be loaded.
*/
return 0;
}
void cleanup_module(void)
{
printk(KERN_INFO "Goodbye world 1.\n");
}
Please refer to the following link for more detail about kernel module development
The problem is you can't use printf()
and stdio.h
inside the kernel, and you don't use a main()
function either. You need printk()
and module.h
#include <linux/module.h> /* Needed by all modules */
#include <linux/kernel.h>
int init_module(void)
{
printk(KERN_INFO "Hello world\n");
return 0;
}
You should also have a exit()
/cleanup()
type function for when it unloads.
void clean_module(void)
{
printk(KERN_INFO "Cleaning and exiting\n");
}
Then load the functions for the module:
module_init(init_module);
module_exit(clean_module);
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With