0

我的要求很简单:启动一个进程,等待它完成,然后捕获并处理它的输出。

最长的时间我一直在使用以下内容:

struct line : public std∷string {
    friend std∷istream& operator>> (std∷istream &is, line &l) {
        return std∷getline(is, l);
    }
};

void capture(std::vector<std::string> &output, const char *command)
{
    output.clear();
    FILE *f = popen(command, "r");
    if(f) {
        __gnu_cxx::stdio_filebuf<char> fb(f, ios∷in) ;
        std::istream fs(&fb);
        std::istream_iterator<line> start(fs), end;
        output.insert(output.end(), start, end);
        pclose(f);
    }
}

它在单线程程序上运行得非常好。

但是,如果我从线程内部调用此函数,有时popen()调用会挂起并且永远不会返回。

因此,作为概念验证,我替换了这个丑陋黑客的功能:

void capture(std::vector<std::string> &output, const char *command)
{
    output.clear();
    std::string c = std::string(command) + " > /tmp/out.txt";
    ::system(c.c_str());
    ifstream fs("/tmp/out.txt", std::ios::in);
    output.insert(output.end(), istream_iterator<line>(fs), istream_iterator<line>());
    unlink("/tmp/out.txt");
}

它很丑但有效,但是它让我想知道在多线程程序上捕获进程输出的正确方法是什么。

该程序在嵌入式 powerquiccII 处理器中运行在 linux 上。

4

1 回答 1

2

看到这个:popen - 锁或不是线程安全的?和其他参考似乎并不能确定 popen() 需要是线程安全的,所以也许因为您使用的是不太受欢迎的平台,所以您的实现不是。您有机会查看您平台的实现源代码吗?

否则,请考虑创建一个新进程并等待它。或者,嘿,坚持愚蠢的 system() hack,但要处理它的返回码!

于 2013-02-27T11:26:32.160 回答