上篇介绍了Linux驱动中sysfs接口的创建,今天介绍procfs接口的创建。
procfs
:可实现类似cat /proc/cpuinfo
的操作
procfs接口创建
实现效果:
例如, 在/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");