0

我正在尝试在 C 中实现多个管道,例如

ls - al | less | wc

我在创建管道时遇到了麻烦。我有一个循环应该创建进程并将它们与管道连接:

for(i=0;i<num_cmds;i++){ 
     create_commands(cmds[i]);
}

我的create_commands()功能看起来像这样

void create_commands (char cmd[MAX_CMD_LENGTH]) // Command be processed
{
    int pipeid[2];
    pipe(pipeid);

    if (childpid = fork()) 
    {
        /* this is the parent process */
        dup2(pipeid[1], 1); // dup2() the write end of the pipe to standard output.
        close(pipeid[1]); // close() the write end of the pipe  

        //parse the command
        parse_command(cmd, argvector);

        // execute the command
        execvp(argvector[0], argvector);

        close(1); // close standard output
    }
    else
    {
        /* child process */
        dup2( pipeid[0], 0); // the read end of the pipe to standard input
        close( pipeid[0] ); // close() the read end of the pipe 
    }

}

但这不起作用,我的标准输入和标准输出搞砸了。谁能指出我做错了什么?

先感谢您!

4

1 回答 1

1

popen() 函数执行字符串命令指定的命令。它在调用程序和执行的命令之间创建一个管道,并返回一个指向可用于读取或写入管道的流的指针。

#include <stdio.h>
int main(int argc, char *argv[])
{

    FILE *fp;
    int status;
    int PATH_MAX = 1024;
    char path[PATH_MAX];
    fp = popen("ls -al | less | wc", "r");
    if (fp == NULL)
        /* Handle error */;


     while (fgets(path, PATH_MAX, fp) != NULL)
         printf("%s", path);


     status = pclose(fp);
     if (status == -1) {
    /* Error reported by pclose() */
     } else {
    /* Use macros described under wait() to inspect `status' in order
       to determine success/failure of command executed by popen() */
     }

}

您可以使用在 popen() 中调用的预设字符串,也可以使用 argv[] 参数通过管道输入。

popen() 为您提供了一个管道,一个 FIFO 先进先出流,并且 popen 还将 STDOUT 反馈给您的程序。

这是 popen() 的手册页:http: //linux.die.net/man/3/popen

于 2013-03-22T22:41:30.303 回答