在C++中,你可以使用std::future
和std::async
來實現異步執行命令并獲取結果
#include<iostream>
#include <future>
#include <cstdio>
#include<string>
#include <stdexcept>
std::string exec_cmd(const std::string& cmd) {
char buffer[128];
std::string result;
FILE* pipe = popen(cmd.c_str(), "r");
if (!pipe) throw std::runtime_error("popen() failed!");
try {
while (fgets(buffer, sizeof buffer, pipe) != nullptr) {
result += buffer;
}
} catch (...) {
pclose(pipe);
throw;
}
pclose(pipe);
return result;
}
int main() {
// 定義一個異步任務,執行命令 "ls" 并獲取結果
std::future<std::string> future_result = std::async(std::launch::async, exec_cmd, "ls");
// 在此處執行其他任務...
// 獲取異步任務的結果
std::string result = future_result.get();
// 輸出結果
std::cout << "Command output: "<< std::endl<< result<< std::endl;
return 0;
}
這個示例中,我們首先定義了一個名為exec_cmd
的函數,該函數接受一個字符串參數(要執行的命令),然后使用popen()
函數執行該命令。popen()
函數返回一個文件指針,我們可以從中讀取命令的輸出。我們將輸出讀入緩沖區并將其添加到結果字符串中,直到沒有更多的輸出可讀。最后,我們使用pclose()
關閉文件指針。
在main()
函數中,我們創建了一個std::future
對象,該對象表示一個異步任務。我們使用std::async
函數啟動異步任務,該任務執行exec_cmd
函數并傳遞要執行的命令(在本例中為ls
)。
然后,我們可以在此處執行其他任務,而異步任務在后臺運行。當我們需要獲取異步任務的結果時,我們調用future_result.get()
。這將阻塞,直到異步任務完成,并返回結果字符串。
請注意,這個示例僅適用于Unix-like系統(如Linux和macOS)。如果你正在使用Windows系統,你需要使用_popen()
和_pclose()
函數替換popen()
和pclose()
函數。