从非阻塞命名管道读取 EFAULT (14) in Ubuntu

reading from non-blocking named pipe gives EFAULT (14) in Ubuntu

下面的代码 returns EFAULT (errno == 14)。如果能帮我找出原因,我将不胜感激。

我也尝试过使用 select() 实现代码,但仍然得到相同的错误代码。

我在 Python 上有非常相似的代码 运行,没有问题。

#include <stdio.h> 
#include <string.h> 
#include <fcntl.h> 
#include <sys/stat.h> 
#include <unistd.h> 
#include <errno.h> 



int read_fail1(int fd)
{
    int n;
    char buf[500];

    for (;;)
    {
        buf[strlen(buf)-1] = 0;
        n = read(fd, buf, strlen(buf)-1);
        
        if (n == -1)
        {
            if (errno == EFAULT)
            {
                fprintf(stderr, "EFAULT");
                return 42;
            }
        }
        else if (n > 0)
        {
            fprintf(stderr, "%s", buf);
        }

    }
}



int main(int argc, const char *argv[])
{
    const char *myfifo = "pipeMUD";
  
    mkfifo(myfifo, 0666); 
  
    int fd = open(myfifo, O_RDWR | O_NONBLOCK);

    if (fd <= 0)
        return 42;

    read_fail1(fd);

    return 0;
}

POST 答案编辑:

正如下面链接的 post 中提到的,如果将无效地址传递给内核,它会抛出 EFAULT。我猜想在Linux上,根据上面的代码,将一个长度为0的计数参数传递给read()也会导致EFAULT被返回。

unix socket error 14: EFAULT (bad address)

这一行:

buf[strlen(buf)-1] = 0;

buf 如果是局部变量,因此不会在 C 中初始化。 strlen 查找 '\0'(空字符)值,因此将在未初始化的数组上给出不可预知的结果。

但是,只要像您一样静态声明 buf,就可以改用 sizeof。 尽管使用宏会更好:

#define READ_BUFFER_SIZE 500

char buf[READ_BUFFER_SIZE];
n = read(fd, buf, READ_BUFFER_SIZE - 1);