温馨提示×

c++ exec如何捕获输出

c++
小樊
81
2024-12-01 16:18:13
栏目: 编程语言

在C++中,你可以使用popen()pclose()函数来执行外部命令并捕获其输出

#include <iostream>
#include <cstdio>
#include <vector>

int main() {
    std::vector<char> buffer(128);
    std::string result;

    // 使用popen()执行外部命令,例如:ls
    FILE* pipe = popen("ls", "r");
    if (!pipe) {
        std::cerr << "popen() failed!" << std::endl;
        return 1;
    }

    // 从管道中读取数据并存储到buffer中
    while (fgets(buffer.data(), buffer.size(), pipe) != nullptr) {
        result += buffer.data();
    }

    // 使用pclose()关闭管道并获取命令执行结果
    pclose(pipe);

    // 输出捕获到的命令输出
    std::cout << "Command output:" << std::endl;
    std::cout << result << std::endl;

    return 0;
}

在这个示例中,我们执行了ls命令并使用popen()函数创建了一个管道。然后,我们从管道中读取数据并将其存储到buffer中。最后,我们使用pclose()函数关闭管道并获取命令执行结果。捕获到的输出将存储在result字符串中,并输出到控制台。

0