1

我有一个带有 Fintek F75111 GPIO 的原子板。我从制造商那里得到信息,访问芯片的 SMbus 地址是 06EH。

我正在尝试在 Linux 中读取和写入 GPIO 的值。我有一个制造商为 Windows 编写的示例程序,看起来像这样。

#include “math.h”
#include “stdio.h”
#include “dos.h”
void main(void){
    int SMB_PORT_AD = 0x400;
    int SMB_DEVICE_ADD = 0x6E;
    /*75111R’s Add=6eh */
    //programming DIO as output //0:input 1:Output
    /* Index 10, GPIO1x Output pin control */
    SMB_Byte_WRITE(SMB_PORT_AD,SMB_DEVICE_ADD,0x10,0xff); delay(10);
    //programming DIO default LOW
    /* Index 11, GPIO1x Output Data value */
    SMB_Byte_WRITE(SMB_PORT_AD,SMB_DEVICE_ADD,0x11,0x00); delay(10);
}


unsigned char SMB_Byte_READ (int SMPORT, int DeviceID, int REG_INDEX)
{
    unsigned char SMB_R;
    outportb(SMPORT+02, 0x00); /* clear */ 
    outportb(SMPORT+00, 0xff); /* clear */ 
    delay(10);
    outportb(SMPORT+04, DeviceID+1); /* clear */ 
    outportb(SMPORT+03, REG_INDEX); /* clear */ 
    outportb(SMPORT+02, 0x48); /* read_byte */ 
    delay(10);
    SMB_R= inportb(SMPORT+05);
    return SMB_R;
}

void SMB_Byte_WRITE(int SMPORT, int DeviceID, int REG_INDEX, int REG_DATA)
{
    outportb(SMPORT+02, 0x00); /* clear */ 
    outportb(SMPORT+00, 0xff); /* clear */
    delay(10);
    outportb(SMPORT+04, DeviceID); /* clear */ 
    outportb(SMPORT+03, REG_INDEX); /* clear */
    outportb(SMPORT+05, REG_DATA); /* read_byte */
    outportb(SMPORT+02, 0x48); /* read_byte */
    delay(10);
}

我试图将其转换为与 Linux 兼容的函数 inb() 和 outb(),这就是我得到的。

#include <stdio.h>
#include <sys/io.h>

unsigned int gpio_read(int PORT, int DEVICE, int REG_INDEX){
    unsigned int RESPONSE;

    outb(0x00, PORT+02);
    outb(0xff, PORT+00);
    usleep(100);
    outb(DEVICE+1, PORT+04);
    outb(REG_INDEX, PORT+03);
    outb(0x48, PORT+02);
    usleep(100);
    RESPONSE = inb(PORT+05);
    return RESPONSE;
}

unsigned int gpio_write(int PORT, int DEVICE, int REG_INDEX, int REG_DATA){
    outb(0x00, PORT+02);
    outb(0xff, PORT+00);
    usleep(100);
    outb(DEVICE, PORT+04);
    outb(REG_INDEX, PORT+03);
    outb(DATA, PORT+05);
    outb(0x48, PORT+02);
    usleep(100);

}

void main() {
    int PORT = 0x400;
    int DEVICE = 0x6E;
    unsigned int RESPONSE;

    // Ask access to port from kernel
    ioperm(0x400, 100, 1);

    // GPIO1x set to input (0xff is output)
    gpio_write(PORT, DEVICE, 0x10, 0x00);

        RESPONSE = gpio_read(PORT, DEVICE, 1);
        printf("\n %u \n", RESPONSE);
}

GPIO1X 索引 0x10 用于设置连接到 GPIO1x 的 8 个 GPIO 端口是输出端口还是输入端口。

GPIO 的输出值使用索引 0x11 设置,如果端口用作输入端口,则索引 0x12 用于读取输入值。

问题是我不知道这是否正确或如何读取值(为什么读取函数会在读取之前输出一些东西?!?)

当我运行时:

RESPONSE = gpio_read(PORT, DEVICE, X);

用 1..9 的值更改 X 我得到这个作为输出: 0 8 8 0 0 0 0 0 0

数字8让我很困惑...

4

1 回答 1

4

我宁愿使用 i2c 库,而不是直接写入 SMBus 端口。I2C(和 SMBUS)使用两个端口引脚,一个用于时钟,一个用于数据。数据在时钟边缘(同步)传输和接收,阅读代码,我无法清楚地看到它们中的哪些(时钟或数据)正在被访问以及何时被访问。

要开始,我会使用 i2ctools 作为起点(查看此站点:http ://elinux.org/Interfacing_with_I2C_Devices )。此工具可帮助您查找连接到微处理器的 I2C 总线的设备,并执行基本通信。

希望能帮助到你...

于 2012-10-12T21:03:46.220 回答