Linux驱动demo
时间: 2023-11-16 21:08:00 浏览: 80
以下是一个简单的Linux驱动程序示例,它创建了一个名为“hello”的字符设备,并实现了读取和写入设备的功能:
```c
#include <linux/module.h>
#include <linux/fs.h>
#include <linux/uaccess.h>
#define DEVICE_NAME "hello"
#define BUF_LEN 80
MODULE_LICENSE("GPL");
static int major; // 设备号
static char msg[BUF_LEN]; // 设备缓冲区
static char *msg_ptr;
static int hello_open(struct inode *inode, struct file *file)
{
msg_ptr = msg;
return 0;
}
static ssize_t hello_read(struct file *file, char *buf, size_t count, loff_t *pos)
{
int bytes_read = 0;
while (count && *msg_ptr) {
put_user(*(msg_ptr++), buf++);
count--;
bytes_read++;
}
return bytes_read;
}
static ssize_t hello_write(struct file *file, const char *buf, size_t count, loff_t *pos)
{
int i;
for (i = 0; i < count && i < BUF_LEN; i++) {
get_user(msg[i], buf + i);
}
msg_ptr = msg;
return i;
}
static const struct file_operations fops = {
.owner = THIS_MODULE,
.read = hello_read,
.write = hello_write,
.open = hello_open,
};
static int __init hello_init(void)
{
major = register_chrdev(0, DEVICE_NAME, &fops);
if (major < 0) {
printk(KERN_ALERT "Failed to register device\n");
return major;
}
printk(KERN_INFO "Hello device registered, major = %d\n", major);
return 0;
}
static void __exit hello_exit(void)
{
unregister_chrdev(major, DEVICE_NAME);
printk(KERN_INFO "Goodbye\n");
}
module_init(hello_init);
module_exit(hello_exit);
```
在此示例中,我们定义了一个名为“hello”的字符设备,并实现了读取和写入设备的功能。我们使用`register_chrdev`函数注册设备,并在`hello_read`和`hello_write`函数中实现读取和写入设备的功能。最后,我们使用`module_init`和`module_exit`函数来初始化和退出驱动程序。
该示例只是一个简单的Linux驱动程序示例,它可以作为了解驱动程序开发的起点。
阅读全文