在C++中,你可以使用exec
函数族来执行外部命令并处理其输出
#include <iostream>
#include <vector>
#include <string>
#include <unistd.h>
#include <sys/wait.h>
int main() {
std::vector<std::string> args = {"ls", "-l"}; // 示例命令:列出当前目录的文件
pid_t pid = fork(); // 创建子进程
if (pid == 0) { // 子进程
execvp(args[0].c_str(), args.data()); // 执行命令
perror("execvp"); // 如果执行失败,打印错误信息
exit(EXIT_FAILURE); // 退出子进程
} else if (pid > 0) { // 父进程
int status;
waitpid(pid, &status, 0); // 等待子进程完成
if (WIFEXITED(status)) { // 检查子进程是否正常退出
std::cout << "子进程返回状态: " << WEXITSTATUS(status) << std::endl;
} else {
std::cerr << "子进程异常退出" << std::endl;
}
} else { // fork失败
perror("fork");
return EXIT_FAILURE;
}
return EXIT_SUCCESS;
}
在这个示例中,我们使用fork()
创建了一个子进程,然后在子进程中使用execvp()
执行了一个ls -l
命令。父进程会等待子进程完成,并检查其返回状态。
如果你需要从标准输入读取数据并将其传递给外部命令,可以使用popen()
和pclose()
函数。例如:
#include <iostream>
#include <sstream>
#include <cstdio>
int main() {
std::istringstream input("file.txt"); // 从文件创建输入流
std::streambuf* cinbuf = std::cin.rdbuf(); // 保存原始标准输入缓冲区
std::cin.rdbuf(input.rdbuf()); // 将标准输入缓冲区替换为文件输入流
FILE* pipe = popen("grep example", "r"); // 执行命令并获取管道
if (!pipe) {
std::cerr << "popen() failed!" << std::endl;
return EXIT_FAILURE;
}
char buffer[128];
while (fgets(buffer, sizeof(buffer), pipe) != nullptr) {
std::cout << buffer;
}
pclose(pipe); // 关闭管道
std::cin.rdbuf(cinbuf); // 恢复原始标准输入缓冲区
return EXIT_SUCCESS;
}
在这个示例中,我们使用popen()
执行了一个grep example
命令,并将标准输入替换为一个文件输入流。然后我们从该流中读取数据并将其输出到标准输出。最后,我们使用pclose()
关闭管道并恢复原始标准输入缓冲区。