This question already has answers here:
Closed 7 months ago.
Implementing pipe in C
(2个答案)
How to send a simple string between two programs using pipes?
(7个答案)
我想学习如何在C中使用管道,并尝试做一些基本的事情,例如在shell中克隆|的行为。
这是我第一次尝试:
#include <stdio.h>
#include <stdlib.h>

#include <unistd.h>


int main(void)
{
    FILE    *stdin_tmp;

    stdin_tmp   = stdin;
    stdin       = stdout;
    system("cat /tmp/test.txt");
    system("less");
    stdin       = stdin_tmp;

    return  0;
}

这就是我想做的(用shell写的):
cat /tmp/test.txt |less

这种行为显然不是我所期望的。less没有接收到cat的输出。
怎么做得正确?

最佳答案

尝试popen()功能。
这是它的原型:

FILE *popen(const char *command, const char *type);

下面是正确的使用方法:
#include <stdio.h>
#include <stdlib.h>

int main(void)
{
    int ch;
    FILE *input;
    FILE *output;

    input = popen("cat /tmp/test.txt", "r");
    output = popen("less", "w");
    if (!input || !output)
        return EXIT_FAILURE;
    while( (ch = fgetc(input)) != EOF )
        fputc(ch, output);
    pclose(input);
    pclose(output);

    return 0;
}

关于c - 将system()的stdout管道传输到其他system()的stdin中,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/55658901/

10-13 09:40