如何使用管道运行命令?

时间:2013-01-13 05:11:45

标签: c unix pipe file-descriptor

我正在尝试使用execvp运行ls | wc。所以我创建了一个管道然后fork来创建一个孩子。我在父/子中关闭相应的(read./write)结尾,然后将另一端映射到stdout / stdin。然后我在父亲中使用execvp和wc运行ls。当我运行该程序时,它说

 wc:standard input:bad file descriptor.
 0 0 0
 wc: -:Bad file descriptor

这是我的代码:

int main()
{
//int nbBytes = 0; //stream length
int pfd_1[2]; //file descriptor 
//char buffer[MAX_FILE_LENGTH]; 
char* arg[MAX_FILE_LENGTH];
pid_t processPid;

//Create a pipe

if(pipe(pfd_1) == -1)
{
    printf("Error in creating pipe");
    return 0;
}

//Create a child
processPid = fork();

if(processPid == -1)
{
    printf("Erro in fork");
    exit(1);
}   
else if(processPid == 0) //Child
{               
    //redirect read end file descriptor to standard input
    dup2(pfd_1[0],0);
    //Close the write end
    if(close(pfd_1[1] == -1))
    {
        printf("Error in closing the write end file descriptor");
        exit(1);
    }
    arg[0] = "wc";
    //arg[1] = "-l";
    arg[1] = '\0';

    if(execvp(arg[0],arg) == -1)
    {
        printf("Error in executing ls");
    }       

}
else //Parent
{               
    //redirect standard output to the file descriptor
    dup2(pfd_1[1],1);
    //Close the read end
    if(close(pfd_1[0] == -1))
    {
        printf("Error in closing the read end from parent");
        exit(1);
    }
    //Command 
    arg[0] = "ls";
    arg[1] = "/proc/1/status";
    arg[2] = '\0';

    if(execvp(arg[0],arg) == -1)
    {
        printf("Error in executing ls");
    }       
}

}

知道可能出错的是什么?为什么它会将标准输入视为错误的文件描述符?我的理解是因为stdin和读取结束文件描述符是别名所以wc -l将读取来自父进程的输出。我是否需要使用scanf来读取stdin?

2 个答案:

答案 0 :(得分:1)

问题出在这一行:

if(close(pfd_1[1] == -1))

您正在关闭pfd_1[1] == -1的结果,这必然等于0(因为它们永远不会相等)。正确的行可能是:

if (close(pfd_1[1]) == -1)

请注意,稍后在尝试关闭父进程中的读取结束时再次执行此操作。

答案 1 :(得分:0)

如果你要去fork个孩子,你必须在父进程中调用wait()以避免“僵尸”子进程。因此,您不希望通过exec覆盖使用其他可执行文件执行原始进程分析的父进程。

以您希望的方式设置一系列管道的一种快速方法是为您要运行的每个可执行文件分叉子项,并将该数据读回父项中的缓冲区。然后将来自第一个子节点的数据提供给父节点分叉的新子进程。因此,每个子节点都从父节点馈送数据,处理数据,并将数据写回父进程,父进程将转换后的数据存储在缓冲区中。然后将该缓冲区提供给下一个子等,等等。缓冲区中数据的最终结果是管道的最终输出。

这是一个小伪代码:

//allocate buffer
unsigned char buffer[SIZE];

for (each executable to run in pipeline)
{
    pipes[2];
    pipe(pipes);

    pid_t pid = fork();

    if (pid == 0)
    {
        //setup the pipe in the child process
        //call exec
    }
    else
    {
        //setup the pipe in the parent process

        if (child executable is not the first in the pipeline)
        {
            //write contents of buffer to child process
        }

        //read from the pipe until the child exits
        //store the results in buffer

        //call wait, and maybe also check the return value to make sure the 
        //child returned successfully
        wait(NULL);

        //clean up the pipe
    }
}