#include <linux/module.h> #include <linux/proc_fs.h> #include <linux/seq_file.h> #include <linux/lockdep.h> static int lockdep_enabled = 1; static int lockdep_proc_show(struct seq_file *m, void *v) { seq_printf(m, "%d\n", lockdep_enabled); return 0; } static ssize_t lockdep_proc_write(struct file *file, const char __user *buffer, size_t count, loff_t *pos) { char buf[32]; if (count > sizeof(buf) - 1) return -EINVAL; if (copy_from_user(buf, buffer, count)) return -EFAULT; buf[count] = '\0'; if (strcmp(buf, "0\n") == 0) { lockdep_enabled = 0; pr_info("lockdep disabled\n"); } else if (strcmp(buf, "1\n") == 0) { lockdep_enabled = 1; pr_info("lockdep enabled\n"); } else { return -EINVAL; } return count; } static int lockdep_proc_open(struct inode *inode, struct file *file) { return single_open(file, lockdep_proc_show, NULL); } static const struct file_operations lockdep_proc_fops = { .owner = THIS_MODULE, .open = lockdep_proc_open, .read = seq_read, .write = lockdep_proc_write, .llseek = seq_lseek, .release = single_release, }; static int __init lockdep_init(void) { struct proc_dir_entry *entry = proc_create("lockdep", 0666, NULL, &lockdep_proc_fops); if (!entry) { pr_err("failed to create /proc/lockdep\n"); return -ENOMEM; } pr_info("lockdep module loaded\n"); return 0; } static void __exit lockdep_exit(void) { remove_proc_entry("lockdep", NULL); pr_info("lockdep module unloaded\n"); } module_init(lockdep_init); module_exit(lockdep_exit); MODULE_LICENSE("GPL");这个程序哪里实现了对lockdep工具的控制
时间: 2023-07-16 20:11:37 浏览: 147
gdth_proc.rar_Linux/Unix编程_Unix_Linux_
这个程序通过创建 /proc/lockdep 文件来实现对 lockdep 工具的控制。当在该文件中写入 "0\n" 时,lockdep_enabled 变量被设置为 0,表示禁用 lockdep 工具;当写入 "1\n" 时,lockdep_enabled 变量被设置为 1,表示启用 lockdep 工具。同时,该程序还提供了一个 /proc/lockdep 的读取接口,可以显示当前 lockdep_enabled 的值。
阅读全文