2

请建议popen()执行 shell 命令然后读取输出的好方法。

编辑:替代方案必须没有fork()电话。因为我的服务器已经占用了太多内存。然后ffmpeg还需要增加内存和进程大小!fork()我每次都会把问题放到内存权重服务器上。

4

2 回答 2

5

如果你担心fork时会复制父进程的内存,那么你需要使用vfork()-特殊版本的“fork”,它不会复制父进程的内存,但需要fork的进程立即发出execve()

于 2012-06-11T18:13:50.497 回答
0

我在学校是这样教的:

int main(int argc, char *argv[]) {

    int pipefd[2];
    pid_t cpid;
    char buf;


    if (pipe(pipefd) == -1) {
        perror("pipe");
        exit(EXIT_FAILURE);
    }

    cpid = fork();
    if (cpid == -1) {
        perror("fork");
        exit(EXIT_FAILURE);
    }

    if (cpid == 0) {
        /* Child reads from pipe */
        close(pipefd[1]);

        //make the standard input to be the read end
        pipefd[0] = dup2(pipefd[0], STDIN_FILENO);

        system("more");

        write(STDOUT_FILENO, "\n", 1);
        close(pipefd[0]);


    } else {

        /* Parent writes argv[1] to pipe */
        close(pipefd[0]);
        /* Close unused read end */

        pipefd[1] = dup2(pipefd[1], STDOUT_FILENO);

        system("ps aux");
        /* Wait for child */
        wait(NULL);
        exit(EXIT_SUCCESS);
    }

    return 0;
}

这会产生两个进程,一个执行“ps aux”并将输出提供给另一个运行“more”的进程。

于 2012-06-11T17:17:52.777 回答