上篇介紹了Linux驅動程式中sysfs介面的創建,今天介紹procfs介面的創建。
procfs
:可實現類似cat /proc/cpuinfo
的操作
實現效果:
例如, 在/proc
下建立一個clk節點,透過cat /proc/clk
可查看內容:
程式碼實作:
系統 | 核心版本 |
---|---|
Linux | 4.9.88 |
在驅動程式中加入以下程式碼:
#include <linux/kernel.h> #include <linux/module.h> #include <linux/init.h> #include <linux/proc_fs.h> #include <linux/seq_file.h> struct proc_dir_entry *my_proc_entry; static int proc_clk_show(struct seq_file *m, void *v) { //cat显示的内容 seq_printf(m, "pll0: %u Mhz\n" "pll1: %u Mhz\n" "pll2: %u Mhz\n", 100, 200, 300); return 0; } static int clk_info_open(struct inode *inode, struct file *filp) { return single_open(filp, proc_clk_show, NULL); } static struct file_operations myops = { .owner = THIS_MODULE, .open = clk_info_open, .read = seq_read, .llseek = seq_lseek, .release = seq_release, }; static int __init my_module_init(void) { //注册proc接口 my_proc_entry = proc_create("clk", 0644, NULL, &myops); return 0; } static void __exit my_module_exit(void) { //注销proc接口 proc_remove(my_proc_entry); } module_init(my_module_init); module_exit(my_module_exit); MODULE_LICENSE("GPL");
procfs介面的創建,主要是實現struct file_operations
結構體,然後透過proc_create
函數進行註冊,透過proc_remove
函數進行註銷。
procfs通常是用來獲取CPU、記憶體、進程等各種信息,例如cat /proc/cpuinfo
、cat /proc/meminfo
,所以我們只需要實作.open成員函數。當使用cat
指令查看/proc
下的資訊時,會呼叫到.open
對應的實作函數。
這裡我們使用了seq_file
接口,需要記住的是,procfs通常會和seq_file接口一起使用。 seq_file是一個序列檔案接口,當我們建立的proc資料內容由一系列資料順序組合而成或是比較大的proc檔案系統時,都建議使用seq_file介面,例如cat / proc/meminfo
就會顯示很多內容。
seq_file介面主要是解決proc介面程式設計存在的問題,建議在proc介面程式設計時使用seq_file介面,另外.read、.llseek、.release成員函數也可以直接用seq_read
、seq_lseek
和seq_release
。
#注意,在較新版本的核心中,procfs
的函數介面有所變化。
系統 | 核心版本 |
---|---|
Linux | 5.10.111 |
在驱动中添加以下代码:
#include <linux/kernel.h> #include <linux/module.h> #include <linux/init.h> #include <linux/proc_fs.h> #include <linux/seq_file.h> struct proc_dir_entry *my_proc_entry; static int proc_clk_show(struct seq_file *m, void *v) { seq_printf(m, "pll0: %lu Mhz\n" "pll1: %lu Mhz\n" "pll2: %lu Mhz\n", 100, 200, 300); return 0; } static int clk_info_open(struct inode *inode, struct file *filp) { return single_open(filp, proc_clk_show, NULL); } static const struct proc_ops clk_stat_proc_fops = { .proc_open = clk_info_open, .proc_read = seq_read, .proc_lseek = seq_lseek, .proc_release = seq_release, }; static int __init my_module_init(void) { my_proc_entry = proc_create("clk", 0, NULL, &clk_stat_proc_fops); return 0; } static void __exit my_module_exit(void) { proc_remove(my_proc_entry); } module_init(my_module_init); module_exit(my_module_exit); MODULE_LICENSE("GPL");
新的proc
接口中,将原来的struct file_operations
换成了struct proc_ops
,其中成员函数也添加了对应的前缀proc
,但本质还是一样的,只是换了名字,更加规范了一些。
以上是Linux驅動 | procfs介面創建的詳細內容。更多資訊請關注PHP中文網其他相關文章!