在开发板上,有三个LED灯.如何通过应用程序点亮这三个灯如何编写驱动程序
操作硬件的时候,我们需要准备开发板的原理图和开发手册,,根据这两个文档来进行配置
在source insight 编写代码
1 第一个led驱动程序
#include <linux/module.h>
#include <linux/kernel.h>
#include <linux/fs.h>
#include <linux/init.h>
#include <linux/delay.h>
#include <asm/uaccess.h>
#include <asm/irq.h>
#include <asm/io.h>
#include <asm/arch/regs-gpio.h>
#include <asm/hardware.h>
static struct class *firstled_drv_class;
static struct class_device *firstled_drv_class_dev;
volatile unsigned long *gpfcon = NULL;//指向控制寄存器的地址的指针
volatile unsigned long *gpfdat = NULL;//指向数据寄存器的地址的指针
static int firstled_drv_open(struct inode *inode, struct file *file)
{
//printk("firstled_drv_open\n");
/* 配置GPF4,5,6为输出 */
*gpfcon &= ~((0x3<<(4*2)) | (0x3<<(5*2)) | (0x3<<(6*2)));//将 4 5 6 位清零
*gpfcon |= ((0x1<<(4*2)) | (0x1<<(5*2)) | (0x1<<(6*2)));// 将 4 5 6 设为1 输出引脚
return 0;
}
static ssize_t firstled_drv_write(struct file *file, const char __user *buf, size_t count, loff_t * ppos)
{
int val;
//printk("firstled_drv_write\n");
copy_from_user(&val, buf, count); // copy_to_user();
if (val == 1)
{
// 点灯
*gpfdat &= ~((1<<4) | (1<<5) | (1<<6));
}
else
{
// 灭灯
*gpfdat |= (1<<4) | (1<<5) | (1<<6);
}
return 0;
}
/*定义一个file_operations结构体
怎么用 告诉内核?
*/
static struct file_operations firstled_drvfops = {
.owner = THIS_MODULE, /* 这是一个宏,推向编译模块时自动创建的__this_module变量 */
.open = firstled_drv_open,
.write = firstled_drv_write,
};
int major;
//驱动的入口 写出来是一般的函数 需要修饰
static int firstled_drv_init(void)
{
//注册告诉内核 主设备号 名字(随便写) 结构体
//app找到这个驱动 不是根据名字 是根据 设备类型 主设备号
//主设备号 随便写个123 写 0会自动分配
major = register_chrdev(0, "firstled_drv", &firstled_drv_fops); // 注册, 告诉内核
firstled_drv_class = class_create(THIS_MODULE, "firstled_drv");
firstled_drv_class_dev = class_device_create(firstled_drv_class, NULL, MKDEV(major, 0), NULL, "xyz"); /* /dev/xyz */
gpfcon = (volatile unsigned long *)ioremap(0x56000050, 16);
gpfdat = gpfcon + 1;
return 0;
}
static void firstled_drv_exit(void)
{
//123
unregister_chrdev(major, "firstled_drv"); // 卸载
class_device_unregister(firstled_drv_class_dev);
class_destroy(firstled_drv_class);
iounmap(gpfcon);
}
//通过修饰 成为入口函