前言
本文基于S3C2440开发板。
一、NorFlash驱动框架分析
NorFlash可以和内存一样进行读,但写就比较麻烦需要先对一些地址发送命令,才可以进行写操作,在linux内核中对NorFlash驱动程序进行了封装,mtd层下主要是NorFlash和NandFlash,在上一篇NandFlash驱动中,有NandFlash协议,这个协议知道怎么发什么数据,发什么命令然后就可以进行读和写,但不知道怎么发,怎么发涉及底层硬件引脚或者寄存器地址,这些都是无法进行封装的,所以NandFlash驱动程序我们需要实现底层寄存器怎么发,怎么收。对于NorFlash,同样也是有nor协议的,主要有两种cfi和jedec,这些协议都知道发些什么命令,但具体的NorFlash基地址,位宽度这些都是不知道的,需要我们来编写,如在“NOR 协议层”知道往“某地址”写“某数据”来“识别、擦除、烧写”,这个“某地址”就要自已提供。主要是声明一个结构体map_info ,并填充,调用NOR FLASH协议层提供的函数来识别,并返回一个结构体mtd_info ,用于描述MTD原始设备的数据结构是mtd_info,这其中定义了大量的关于MTD的数据和操作函数。这些操作函数和数据都是由上面map_info 和上层协议产生的。
程序编写步骤:
- 1,声明
map_info 和mtd_info 结构体。用 kzalloc 函数进行分配。
static struct map_info *s3c_nor_map;
static struct mtd_info *s3c_nor_mtd;
s3c_nor_map->name = "s3c_nor";
s3c_nor_map->phys = 0;
s3c_nor_map->size = 0x1000000;
s3c_nor_map->bankwidth = 2;
s3c_nor_map->virt = ioremap(s3c_nor_map->phys, s3c_nor_map->size);
simple_map_init(s3c_nor_map);
s3c_nor_mtd = do_map_probe("cfi_probe", s3c_nor_map);
add_mtd_partitions(s3c_nor_mtd, s3c_nor_parts, 2);
二、源码实例分析
#include <linux/module.h>
#include <linux/types.h>
#include <linux/kernel.h>
#include <linux/init.h>
#include <linux/slab.h>
#include <linux/device.h>
#include <linux/platform_device.h>
#include <linux/mtd/mtd.h>
#include <linux/mtd/map.h>
#include <linux/mtd/partitions.h>
#include <asm/io.h>
static struct map_info *s3c_nor_map;
static struct mtd_info *s3c_nor_mtd;
static struct mtd_partition s3c_nor_parts[] = {
[0] = {
.name = "bootloader_nor",
.size = 0x00040000,
.offset = 0,
},
[1] = {
.name = "root_nor",
.offset = MTDPART_OFS_APPEND,
.size = MTDPART_SIZ_FULL,
}
};
static int s3c_nor_init(void)
{
s3c_nor_map = kzalloc(sizeof(struct map_info), GFP_KERNEL);;
s3c_nor_map->name = "s3c_nor";
s3c_nor_map->phys = 0;
s3c_nor_map->size = 0x1000000;
s3c_nor_map->bankwidth = 2;
s3c_nor_map->virt = ioremap(s3c_nor_map->phys, s3c_nor_map->size);
simple_map_init(s3c_nor_map);
printk("use cfi_probe\n");
s3c_nor_mtd = do_map_probe("cfi_probe", s3c_nor_map);
if (!s3c_nor_mtd)
{
printk("use jedec_probe\n");
s3c_nor_mtd = do_map_probe("jedec_probe", s3c_nor_map);
}
if (!s3c_nor_mtd)
{
iounmap(s3c_nor_map->virt);
kfree(s3c_nor_map);
return -EIO;
}
add_mtd_partitions(s3c_nor_mtd, s3c_nor_parts, 2);
return 0;
}
static void s3c_nor_exit(void)
{
del_mtd_partitions(s3c_nor_mtd);
iounmap(s3c_nor_map->virt);
kfree(s3c_nor_map);
}
module_init(s3c_nor_init);
module_exit(s3c_nor_exit);
MODULE_LICENSE("GPL");
三、实验结果
|