② del_mtd_partitions()的作用是对于mtd_partition上的每一个分区,如果它的主分区是master,则将它从mtd_partition和mtd_table中删除并释放掉,这个函数会调用del_mtd_device()。
二、NOR Flash驱动结构
在Linux系统中,实现了针对CFI(公共Flash接口)等接口的通用NOR驱动,这一层的驱动直接面向mtd_info的成员函数,这使得NOR的芯片级驱动变得非常的简单,只需要定义具体的内存映射情况结构体map_info并使用指定接口类型调用do_map_probe()。
NOR Flash驱动的核心是定义map_info结构体,它指定了NOR Flash的基址、位宽、大小等信息以及Flash的读写函数。
struct map_info {
char *name; /*NOR FLASH的名字*/
unsigned long size; /*NOR FLASH的大小*/
resource_size_t phys; /*NOR FLASH的起始物理地址*/
void __iomem *virt; /*NOR FLASH的虚拟地址*/
void *cached;
int bankwidth; /*NOR FLASH的总线宽度*/
//缓存的虚拟地址
void (*inval_cache)(struct map_info *, unsigned long, ssize_t);
void (*set_vpp)(struct map_info *, int);
};
NOR Flash驱动在Linux中实现非常简单,如下图所示:
① 定义map_info的实例,初始化其中的成员,根据目标板的情况为name、size、bankwidth和phys赋值。
② 如果Flash要分区,则定义mtd_partition数组,将实际电路板中Flash分区信息记录于其中。
③ 以map_info和探测的接口类型(如"cfi_probe"等)为参数调用do_map_probe(),探测Flash得到mtd_info。
三、NOR Flash驱动程序
#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_map;
static struct mtd_info *s3c_mtd;
static struct mtd_partition s3c_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)
{
printk("s3c_nor_init\n");
/*1. 分配一个map_info结构体*/
s3c_map = kzalloc(sizeof(struct map_info), GFP_KERNEL);
/*2. 设置: 物理基地址(phys), 大小(size), 位宽(bankwidth), 虚拟基地址(virt) */
s3c_map->name = "s3c_nor";
s3c_map->phys = 0;
s3c_map->size = 0x1000000;
s3c_map->bankwidth = 2;
s3c_map->virt = ioremap(s3c_map->phys, s3c_map->phys+s3c_map->size);
/* 3. 使用: 调用NOR FLASH协议层提供的函数来识别 */
simple_map_init(s3c_map);
printk("use cfi_probe\n");
s3c_mtd=do_map_probe("cfi_probe", s3c_map);
if (!s3c_mtd)
{
printk("use jedec_probe\n");
s3c_mtd = do_map_probe("jedec_probe", s3c_map);
}
if(!s3c_mtd)
{
iounmap(s3c_map->virt);
kfree(s3c_map);
return -EIO;
}
/* 4. add_mtd_partitions */
add_mtd_partitions(s3c_mtd, s3c_parts, 2);
return 0;
}
static void s3c_nor_exit(void)
{
printk("s3c_nor_exit\n");
iounmap(s3c_map->virt);
kfree(s3c_map);
}
module_init(s3c_nor_init);
module_exit(s3c_nor_exit);
MODULE_LICENSE("GPL");