如何使用 GPIO 驱动程序来控制来自不同设备驱动程序的引脚?

How to use a GPIO driver to control pins from a different device's driver?

我正在试验 linux 设备驱动程序。我正在尝试为我的笔记本电脑 Lenovo Miix 510 构建 OV2680 驱动程序。在该平台上,传感器位于 INT3472 PMIC 后面,访问驱动程序需要控制 INT3472 的 GPIO 引脚。 INT3472 有 a driver, and a corresponding MFD Driver,它不是开箱即用的,但我已经改变它可以工作(我的笔记本电脑的 ACPI tables 没有为 INT3472 定义 I2cSerialBus2,所以我只需要添加一个 ic2_device_id table 并使用 echo INT3472 0x48 | sudo tee /sys/bus/i2c/devices/i2c-7/new_device 创建 i2c 设备 - 这会创建一个 gpiochip1 并在 GPIO 驱动程序中定义 10 个 GPIO 通道,因此它似乎可以正常工作。

我可以使用 libgpiod 提供的工具在终端中设置和获取这些引脚的值。例如 sudo gpioset gpiochip1 1 1 设置通道 1 高。

我的问题是;在我的相机驱动程序中控制 INT3472 提供的 10 个 GPIO 引脚的正确方法是什么?例如,我需要能够拉动一个引脚 low/high 来触发相机的软件待机。我想显而易见的答案是“使用 libgpiod”,但如果是这种情况,我如何在 /dev 中识别正确的“gpiochipN”文件以打开,因为我的笔记本电脑中有两个 INT3470 加上主要的 gpiochip0。

我认为我找到了正确的方法 here。简而言之,您可以像在相机驱动程序中那样将 GPIO 引脚映射到设备(作为 .probe 函数的一部分):

    static struct gpiod_lookup_table ov2680_gpios = {
        .dev_id = "i2c-OVTI2680:00",
        .table = {
            GPIO_LOOKUP_IDX("tps68470-gpio", 7, "s_enable", 0, GPIO_ACTIVE_HIGH),
            GPIO_LOOKUP_IDX("tps68470-gpio", 8, "s_idle", 0, GPIO_ACTIVE_HIGH),
            GPIO_LOOKUP_IDX("tps68470-gpio", 9, "s_resetn", 0, GPIO_ACTIVE_HIGH),
            { },
        },
    };

    gpiod_add_lookup_table(&ov2680_gpios);

.dev_id成员匹配设备名称。 GPIO_LOOKUP_IDX是一个宏,取GPIO芯片(tps68470-gpio)的label,pin在芯片中的index(由PMIC的GPIO driver给定here,加上一个函数名,index in函数和一些标志。一旦构建了查找 table,就可以使用 gpiod_add_lookup_table() 进行注册。完成后,您可以使用 gpiod_get...:

获取引脚
/* ov2680 is a struct ov2680_device containing, amongst other things... */
struct ov2680_device {
    gpio_desc            *s_enable;
    struct i2c_device    *client;
}; 

ov2680->s_idle = gpiod_get_index(&ov2680->client->dev, "s_idle", 0, GPIOD_OUT_HIGH);

认为这是对的;但我会暂时搁置这个问题,以防出现更好的答案。