为什么在Mac OS X上,来自/ dev / null的ioctl FIONREAD返回0,而在Linux上返回随机数?

时间:2018-09-25 03:22:45

标签: macos serial-port ioctl srand dev-null

在向正在处理的项目中添加测试时遇到了一些奇怪的事情-我一直在使用/ dev / null作为串行端口,并且不希望有任何数据可读取。

但是,在LINUX上始终有可用数据,而在Mac OS X上,调用srand()之后有可用数据。

有人可以帮助解释这种行为吗?

这是最低可行的测试C ++

#include <stdio.h>
#include <stdlib.h>
#include <termios.h>
#include <unistd.h>
#include <fcntl.h>
#include <sys/ioctl.h>

int open_serial(const char *device) {
    speed_t bd = B115200;
    int fd;
    int state;
    struct termios config;

    if ((fd = open(device, O_NDELAY | O_NOCTTY | O_NONBLOCK | O_RDWR)) == -1)
        return -1;

    fcntl(fd, F_SETFL, O_RDWR);
    tcgetattr(fd, &config);
    cfmakeraw(&config);
    cfsetispeed(&config, bd);
    cfsetospeed(&config, bd);

    config.c_cflag |= (CLOCAL | CREAD);
    config.c_cflag &= ~(CSTOPB | CSIZE | PARENB);
    config.c_cflag |= CS8;
    config.c_lflag &= ~(ECHO | ECHOE | ICANON | ISIG);
    config.c_oflag &= ~OPOST;
    config.c_cc[VMIN] = 0;
    config.c_cc[VTIME] = 50; // 5 seconds reception timeout

    tcsetattr(fd, TCSANOW, &config);
    ioctl(fd, TIOCMGET, &state);
    state |= (TIOCM_DTR | TIOCM_RTS);
    ioctl(fd, TIOCMSET, &state);

    usleep(10000);    // Sleep for 10 milliseconds
    return fd;
};

int serial_data_available(const int fd) {
    int result;
    ioctl(fd, FIONREAD, &result);
    return result;
};

int main() {
    int fd = open_serial("/dev/null");
    printf("Opened /dev/null - FD: %d\n", fd);
    printf("Serial data available : %d\n", serial_data_available(fd));
    printf("Serial data available : %d\n", serial_data_available(fd));
    printf("Calling srand()\n");
    srand(1234);
    printf("Serial data available : %d\n", serial_data_available(fd));
    printf("Serial data available : %d\n", serial_data_available(fd));
    return 0;
}

在Mac OS X下,输出如下:-

Opened /dev/null - FD: 3
Serial data available : 0
Serial data available : 0
Calling srand()
Serial data available : 148561936
Serial data available : 0

在Linux上,我得到以下信息:-

Opened /dev/null - FD: 3
Serial data available : 32720
Serial data available : 32720
Calling srand()
Serial data available : 32720
Serial data available : 32720

两个问题-

  1. / dev / null是否应该始终有0个字节可读取?
  2. 为什么在Mac OS X上调用srand()会导致可从/ dev / null读取的字节更改?

1 个答案:

答案 0 :(得分:0)

问题很明显(事后看来!)-结果int尚未初始化,因此当ioctl出错时,即使数据可能不可用,该函数也会返回非零整数。

int serial_data_available(const int fd) {
    int result;
    ioctl(fd, FIONREAD, &result);
    return result;
};

正确的代码应该是

int serial_data_available(const int fd) {
    int result = 0;
    ioctl(fd, FIONREAD, &result);
    return result;
};