驱动程序什么时候初始化?实在注册platform_driver的时候吗
时间: 2024-01-16 08:04:12 浏览: 229
驱动程序的初始化是在内核加载驱动程序时进行的。当内核检测到有新的硬件设备插入或者需要加载特定的驱动程序时,它会调用对应的驱动程序的初始化函数来初始化该驱动程序。
对于Platform设备,驱动程序的初始化通常在注册`platform_driver`时进行。`platform_driver`是注册Platform设备驱动程序的数据结构,它包含了驱动程序的一些属性信息,如驱动程序的名称、设备ID、与设备匹配的`of_device_id`表等。在注册`platform_driver`时,内核会自动调用驱动程序的初始化函数来完成驱动程序的初始化。
以下是一个Platform设备驱动程序的示例:
```c
#include <linux/init.h>
#include <linux/module.h>
#include <linux/platform_device.h>
static int my_platform_probe(struct platform_device *pdev)
{
// 驱动程序的初始化代码
return 0;
}
static int my_platform_remove(struct platform_device *pdev)
{
// 驱动程序的卸载代码
return 0;
}
static struct platform_driver my_platform_driver = {
.probe = my_platform_probe,
.remove = my_platform_remove,
.driver = {
.name = "my-platform-driver",
.owner = THIS_MODULE,
},
};
static int __init my_platform_init(void)
{
return platform_driver_register(&my_platform_driver);
}
static void __exit my_platform_exit(void)
{
platform_driver_unregister(&my_platform_driver);
}
module_init(my_platform_init);
module_exit(my_platform_exit);
MODULE_LICENSE("GPL");
MODULE_AUTHOR("Your Name");
MODULE_DESCRIPTION("My Platform Driver");
```
在该示例中,`my_platform_probe()`和`my_platform_remove()`函数分别为驱动程序的初始化和卸载函数。在`my_platform_driver`结构体中,使用`.probe`和`.remove`字段分别指定了驱动程序的初始化和卸载函数。在`my_platform_init()`函数中,使用`platform_driver_register()`函数来注册驱动程序。在`my_platform_exit()`函数中,使用`platform_driver_unregister()`函数来卸载驱动程序。
当内核检测到需要加载该驱动程序时,就会调用`my_platform_probe()`函数来初始化驱动程序。当需要卸载该驱动程序时,就会调用`my_platform_remove()`函数来卸载驱动程序。
阅读全文