即使GPIO发生变化,轮询也不会返回FD
问题描述:
我试图在每次更改状态时都读取一个GPIO值。即使GPIO发生变化,轮询也不会返回FD
/sys/class/gpio/gpio499/value
我已经设置/sys/class/gpio/gpio499/edge
是既
我试图监视一个单独的线程中使用调查命令值的变化。以下是代码片段:
void PIN_gpio_poll(size_t gpio) //GPIO 499
{
char path[30];
char cValue;
int fd;
int ret_poll;
int ret_read;
struct pollfd pollfd;
int i;
pollfd.events = POLLPRI | POLLERR; /* look for GPIO status change. */
snprintf(path, 30, PHDRIVER_LINUX_CFG_DIR "/gpio%u/value", gpio);
fd = open(path, O_RDONLY);
if (fd == -1)
{
printf("Gpio_poll _ERROR\r\n");
}
pollfd.fd = fd;
ret_read = read(pollfd.fd, &cValue, 1); // Dummy Read to clear
while (1)
{
lseek(fd, 0, SEEK_SET);
ret_read = read(fd, &cValue, 1);
printf("Value=%c, RET READ=%d\n",cValue,ret_read);
// ret_poll = poll(&pollfd, 1, -1);
ret_poll = poll(&pollfd, 1, 10000); //10sec timeout
printf("******REVENTS=%x\n",pollfd.revents);
if(ret_poll == -1)
{
printf("Gpio_poll poll failed\r\n");
close(fd);
}else{
// if (pollfd.revents & POLLPRI)
{
lseek(fd, 0, SEEK_SET);
ret_read = read(pollfd.fd, &cValue, 1);
if(ret_read > 0)
{
printf("Cvalue = %c\n",cValue);
}
}
}
}
}
我现在面临的问题是,如果我设置事件POLLIN,调查立即返回。这是可以理解的,因为总是有数据需要在的值(0或1)GPIO中读取。我提到https://www.kernel.org/doc/Documentation/gpio/sysfs.txt并将事件设置为POLLPRI | POLLERR。但是在这种方法中,轮询仅在超时后才返回。当GPIO的值改变时它不会返回。有什么我错过了这里的诀窍?我也设置/sys/class/gpio/gpio499/edge
上升,下降,但似乎没有任何工作。
编辑: 这里是grep -r . /sys/class/gpio/gpio499
/sys/class/gpio/gpio499/edge:both
/sys/class/gpio/gpio499/power/control:auto
/sys/class/gpio/gpio499/power/runtime_active_time:0
grep: /sys/class/gpio/gpio499/power/autosuspend_delay_ms: Input/output error
/sys/class/gpio/gpio499/power/runtime_status:unsupported
/sys/class/gpio/gpio499/power/runtime_suspended_time:0
/sys/class/gpio/gpio499/value:1
/sys/class/gpio/gpio499/active_low:0
/sys/class/gpio/gpio499/direction:in
注输出:我想检测从1值为0
答
功能:poll()
的发布代码期待不起作用。
建议:1)读取文件获取当前输入值。 2)执行自旋循环,读取值,直到值的变化,类似于:
readbytes = read(fd, &cValue, 1);
while(readbytes > 0)
{
if((off_t)-1 == lseek(fd, 0, SEEK_SET))
{ // then lseek failed
perror("lseek failed");
exit(EXIT_FAILURE);
}
// implied else, lseek successful
readbytes = read(fd, &new_cValue, 1);
if(0 >= readbytes)
{
perror("read failed");
exit(EXIT_FAILURE);
}
// implied else, read successful
if(cValue != new_cValue)
{ // then state changed
cValue = new_cValue;
break;
}
}
这个循环不消耗更多的CPU周期,但应该工作
你确定,该引脚配置作为输入? ('cat/sys/class/gpio/gpio499/direction'说_in_?) – Ctx
也许输出'grep -r。/sys/class/gpio/gpio499'(编辑到你的问题)可以帮助 – Ctx
[如何检测Linux板上GPIO引脚变化]可能的重复(https://stackoverflow.com/questions/25962574/how-以检测一个gpio-on-linux-board上的引脚变化) – Jackson