使用FIFO重定向stdin(名称管道)

时间:2015-12-02 06:17:25

标签: c pipe stdin fifo dup

我正在创建一个带有服务器端客户端的C程序。

我一直在尝试将stdin重定向到我创建的命名管道,并且我设法将客户端写入管道。在服务器端,我打开了相同的管道,关闭了stdin,并使用dup(也尝试使用dup2)将stdin重定向到管道。

我必须使用getline函数读取输入。问题是它正确读取第一个输入,但只接收空值。我将在问题中添加一个示例。

服务器:

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


main () {
    char* str;
    size_t size=0;
    int pshell_in;

    unlink("/tmp/par-shell-in"); 
    if(mkfifo("/tmp/par-shell-in", 0777) < 0){
        fprintf(stderr, "Error: Could not create pipe\n");
        exit(-1);
    }

    if((pshell_in = open("/tmp/par-shell-in", O_CREAT | O_RDONLY, S_IRUSR)) < 0){
        fprintf(stderr, "Error: Failed to open file\n");
        exit(-1);   
    }

    dup2(pshell_in, 0);
    close(pshell_in);



    while(1) {
        if (getline(&str, &size, stdin)<0) {
            printf("Oh dear, something went wrong with getline()! %s\n", strerror(errno));
            return -1;
        }

        printf("%s", str);
    }
}

*我知道它的原因是我用read(而不是重定向)打印它并打印(null)。

客户端:

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

#define VECTORSIZE 7

int main() {

    char* buf;
    int pshell_in;
    size_t size=0;

    if((pshell_in = open("/tmp/par-shell-in", O_WRONLY, S_IWUSR)) < 0){
        fprintf(stderr, "Error: Failed to open file\n");
        exit(-1);   
    }

    printf("%d\n", pshell_in);

    while(1) {
        if (getline(&buf, &size, stdin) < 0) {
            return -1;
        }

        write(pshell_in, buf, 256);
    }
}
  • 我怀疑是正确的,因为如果我在客户端使用read(用O_RDWR替换O_WRONLY),它会在输入时打印字符串。

任何人都可以帮我这个吗?

1 个答案:

答案 0 :(得分:2)

FIFO很有趣。如果一个进程试图打开一个进行读取,它将会阻塞,直到有一个进程打开它进行写入。相反,如果一个进程试图打开一个用于写入的进程,它将阻塞,直到有一个进程打开它进行读取。但是,多个进程可以打开它进行读取或写入。当没有更多进程打开它进行读取时,写入将失败;当没有更多的进程打开它进行写入时,读取将失败。当操作失败时,您必须关闭并重新打开FIFO以继续重新处理数据。

我强烈怀疑你因为这些行为而遇到问题。

此外,您的客户端编写代码是可疑的;你没有注意读取了多少数据。你有:

while(1) {
    if (getline(&buf, &size, stdin) < 0) {
        return -1;
    }
    write(pshell_in, buf, 256);
}

如果可能的话,你在行中读取的输入少于256个字符,那么你很可能会超出由getline()分配的数组边界。同样明显可能的是,一些甚至大部分数据都是空字节。但是,您在服务器中看到的(null)通常表示您正在尝试打印字符串但传递printf()空指针。无论发生什么,大部分都是未定义的行为,这是一件坏事,应该不惜一切代价避免。

你应该有更多的东西:

ssize_t nbytes;

while ((nbytes = getline(&buf, &size, stdin)) > 0)
{
    if (write(pshell_in, buf, nbytes) != nbytes)
    {
        fprintf(stderr, "Short write to FIFO\n");
        break;
    }
}
free(buf);

请注意,这只会写入尽可能多的数据,并且不会假设有256个字节可供写入。