popen函式

bbkkp發表於2024-07-01

目的

開發過程中獲取某個可執行檔案的列印結果或者獲取某個shell命令的列印結果

原理

FILE * popen ( const char * command , const char * type );
int pclose ( FILE * stream );

popen() 函式透過建立一個管道,呼叫 fork 產生一個子程序,執行一個 shell 以執行命令來開啟一個程序。這個程序必須由 pclose() 函式關閉,而不是 fclose() 函式。pclose() 函式關閉標準 I/O流,等待命令執行結束,然後返回 shell 的終止狀態。如果 shell 不能被執行,則 pclose() 返回的終止狀態與 shell 執行 exit 一樣。

Linux程式碼

#include<iostream>
#include<stdio.h>
#include<string.h>
 
using namespace std;
int main()
{
    FILE *fp = NULL;
    char cmd[1024];
    char buf[1024];
    char result[4096];
    sprintf(cmd, "pwd");
    if( (fp = popen(cmd, "r")) != NULL)
    {
        while(fgets(buf, 1024, fp) != NULL)
        {
            strcat(result, buf);
        }
        pclose(fp);
        fp = NULL;
    }
    cout<<"result:"<<result<<endl;
    return 0;
}

執行結果

image

windows程式碼

#include<iostream>
#include<cstdio>
#include<string>

using namespace std;
int main()
{
    FILE* fp = NULL;
    char cmd[1024];
    char buf[1024];
    char result[4096] = {};
    sprintf_s(cmd, "dir");
    cout << "cmd:" << cmd << endl;
    if ((fp = _popen(cmd, "r")) != NULL)
    {
        while (fgets(buf, 1024, fp) != NULL)
        {
            strcat_s(result,sizeof(result), buf);
        }
        _pclose(fp);
        fp = NULL;
    }
    cout << "result:" << result << endl;
    return 0;
}

執行結果

image

相關文章