Linux Device Drivers [PDF] 下载见
简单来说总线(bus),驱动(driver),设备(device)这三者之间的关系就是:驱动开发者可以通过总线(bus)来将驱动(driver)和设备(device)进行隔离,这样的好处就是开发者可以将相对稳定不变的驱动(driver)独立起来,可以通过总线(bus)来桥接与之匹配的设备(device)。设备(device)只需要提供与硬件相关的底层硬件的配置,如io,中断等。
platform.c 提供了一个平台总线(platform_bus),和注册平台设备(platform_device)和平台驱动(platform_driver)的相关接口,其中平台总线(platform_bus)已经编进内核,开发者只需要提供平台设备(platform_device)和平台驱动(platform_driver)的相关代码就行了。
在linux源码目录\drivers\input\keyboard下,提供了一个gpio_keys.c的平台驱动(platform_driver),这个就是一个简单地按键驱动,检测到按键状态,上报给输入子系统。
因此,开发者需要做的就是提供一个平台设备(platform_device),以向平台驱动(platform_driver)提供相关的硬件配置,如按键IO,中断号,按键码等等。
gpio_keys.c (不用任何改动)
/*
* Driver for keys on GPIO lines capable of generating interrupts.
*
* Copyright 2005 Phil Blundell
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License version 2 as
* published by the Free Software Foundation.
*/
#include <linux/module.h>
#include <linux/version.h>
#include <linux/init.h>
#include <linux/fs.h>
#include <linux/interrupt.h>
#include <linux/irq.h>
#include <linux/sched.h>
#include <linux/pm.h>
#include <linux/sysctl.h>
#include <linux/proc_fs.h>
#include <linux/delay.h>
#include <linux/platform_device.h>
#include <linux/input.h>
#include <linux/irq.h>
#include <linux/gpio_keys.h>
#include <asm/gpio.h>
static irqreturn_t gpio_keys_isr(int irq, void *dev_id)
{
int i;
/* [cgw]: 在gpio_keys_probe()中调用了request_irq(..., pdev),
* 因此dev_id指向了platform_device *pdev,通过dev_id间接传递
* platform_device *指针
*/
struct platform_device *pdev = dev_id;
/* [cgw]: 当platform_device 和 platform_driver匹配时,会通过
* probe()传递platform_device进来。在注册platform_device时,
* platform_device.dev.platform_data必须指向gpio_keys_platform_data *
*/
struct gpio_keys_platform_data *pdata = pdev->dev.platform_data;
/* [cgw]: probe()中已分配了一个struct input_dev,并通过platform_set_drvdata()
* 设置platform_device->dev->driver_data = input;
*/
struct input_dev *input = platform_get_drvdata(pdev);
/* [cgw]: 轮询pdata->nbuttons个按键 */
for (i = 0; i < pdata->nbuttons; i++) {
struct gpio_keys_button *button = &pdata->buttons[i];
int gpio = button->gpio;
/* [cgw]: 某个gpio发生了中断 */
if (irq == gpio_to_irq(gpio)) {
/* [cgw]: 获得按键类型 */
unsigned int type = button->type ?: EV_KEY;
/* [cgw]: 获取按键状态 */
int state = (gpio_get_value(gpio) ? 1 : 0) ^ button->active_low;
/* [cgw]: 发送按键事件 */
input_event(input, type, button->code, !!state);
/* [cgw]: 发送同步事件 */
input_sync(input);
}
}
return IRQ_HANDLED;
}
static int __devinit gpio_keys_probe(struct platform_device *pdev)
{
/* [cgw]: 在gpio_keys_probe()中调用了request_irq(..., pdev),
* 因此dev_id指向了platform_device *pdev,通过dev_id间接传递
* platform_device *指针
*/
struct gpio_keys_platform_data *pdata = pdev->dev.platform_data;
struct input_dev *input;
int i, error;
/* [cgw]: 分配一个输入设备 */
input = input_allocate_device();
/* [cgw]: 分配失败 */
if (!input)
return -ENOMEM;
/* [cgw]: 设置platform_device->dev->driver_data = input */
platform_set_drvdata(pdev, input);