使用 termios api 检测字符设备是否已在 Linux 中断开连接 (c++)

Detecting if a character device has disconnected in Linux in with termios api (c++)

我正在使用 Linux 中的 termios api 与串行设备通信。我正在尝试检测设备是否已断开连接,以便我可以在超时后尝试重新连接。我有以下示例代码:

while(1)
{
    FD_ZERO(&rfds);
    FD_SET(tty_fd, &rfds);

    // have tried checking fcntl(tty_fd, F_GETFL); too

    // Blocking call to wait until we have data
    select(tty_fd+1, &rfds, NULL, NULL, NULL);

    // While we have data, collect it
    while (read(tty_fd, &c, 1)>0 && bytesRead++<200)
    {
        serialBuffer.push_back(c);
    }

    bytesRead = 0;

    // Try to parse it
    BufferParse();
}

在 ttyUSB 设备物理断开后,我实际上并没有看到 select() 或 fcntl return 错误值 (-1)。我当然可以检查 /dev/ 中的文件是否存在,但我希望有一个更优雅的解决方案。

希望得到任何建议,谢谢!

首先值得一提的是,行为 serial-usb 如下:

在 usb 设备上拔下断开连接

@disconnect: Called when the interface is no longer accessible, usually because its device has been (or is being) disconnected or the driver module is being unloaded.

在我们的例子中是 usb_serial_disconnect(struct usb_interface *interface)

哪个调用了 usb_serial_console_disconnect(serial),哪个调用了 tty_hangup ...等等。

您可以从这里开始关注链: http://lxr.free-electrons.com/source/drivers/usb/serial/usb-serial.c#L1091

简而言之,这导致以下经典方式:

pselect 发出文件描述符已就绪的信号,ioctl(fd, FIONREAD, &len) returns 零长度。

就是这样,你拔掉了设备。

总结(源自您的代码):

while(1)
{
    FD_ZERO(&rfds);
    FD_SET(tty_fd, &rfds);

    // have tried checking fcntl(tty_fd, F_GETFL); too

    // Blocking call to wait until we have data
    int ready = select(tty_fd + 1, &rfds, NULL, NULL, NULL);

    if(ready && FD_ISSET(tty_fd, &rfds)) {
      size_t len = 0;
      ioctl(tty_fd, FIONREAD, &len);
      errsv = errno;

      if(len == 0)
      {
         printf("prog_name: zero read from the device: %s.", strerror(errsv));
         /* close fd and cleanup or reconnect etc...*/
         exit(EXIT_FAILURE);
      }

      // While we have data, collect it
      while (read(tty_fd, &c, 1)>0 && bytesRead++<200)
      {
        serialBuffer.push_back(c);
      }

      bytesRead = 0;

      // Try to parse it
      BufferParse();
    }
}

很遗憾你没有说你用的是什么设备

如果您的设备能够 RTS/CTS 流量控制,它也可以检测换行。