我有一个C ++项目,在其中我向std :: cout写了一个小的日志文件。在这个项目中,我创建了一个主要的对象,并且有一个运行代码的函数。
简化版本如下所示:

int main(int argc, char *argv[])
{
   std::string pathToSettingsFile(argv[1]);
   MainObject m(pathToSettingsFile);
   m.run();
}


现在,我已经为此应用程序开发了一个Qt GUI。
条件之一是,我不能在项目中使用任何QT库。 (仅在目前完全独立于项目的GUI中才允许进行QT-基本上,GUI仅创建可由项目加载的settingsFile)

我可以将std :: cout重定向到QTextBrowser吗?
我考虑过简单地添加默认为std :: cout的第二个输入参数,但是如果需要的话,它指向QTextBrowser。像这样:

int main(int argc, char *argv[])
{
   std::string pathToSettingsFile(argv[1]);
   std::ostream &output = std::cout;
   MainObject m(pathToSettingsFile, output);
   m.run();
}


如果我想从QT开始,只需添加另一个ostream。

// GUI CODE:
QTextBrowser *tb = new QTextBrowser();
std::ostream myOstream = somehow connect myOstream to tb;
MainObject m(pathToSettingsFile, output);
m.run();


但是我不知道我该怎么做,如果可能的话……可能是这个问题有另一个非常简单的解决方案。

感谢您的反馈意见

最佳答案

std::ostream的构造函数将std::streambuf作为其参数。要重定向写入std::cout的字符,请实现自定义std::streambuf,例如

class TBBuf : public std::streambuf
{
private:
    QTextBrowser *tbOut;

protected:
    virtual int_type overflow(int_type c) {
        if (c != traits_type::eof() && tbOut) {
            tbOut->moveCursor(QTextCursor::End);
            tbOut->insertPlainText((QChar(c)));
            return c;
        }
        return traits_type::eof();
    }

    // By default, superclass::xsputn call overflow method,
    // but for performance reason, here we override xsputn
    virtual std::streamsize xsputn(const char * str, std::streamsize n) {
        if (tbOut && n > 0) {
            tbOut->moveCursor(QTextCursor::End);
            tbOut->insertPlainText(QString::fromLatin1(str, n));
        }

        return n;
    }

public:
    TBBuf(QTextBrowser *tb) : tbOut(tb) {}
};


然后可以通过以下方式将std::cout重定向到QTextBrowser

QTextBrowser *tb = new QTextBrowser();
TBBuf *buf = new TBBuf(tb);

std::streambuf *oldBuf = std::cout.rdbuf();
std::cout.rdbuf(buf);

std::string pathToSettingsFile(argv[1]);
MainObject m(pathToSettingsFile);
m.run();

std::cout.rdbuf(oldBuf);
//cleanup
//...


或通过构建std::ostream,例如

QTextBrowser *tb = new QTextBrowser();
TBBuf *buf = new TBBuf(tb);

std::ostream output(buf);
MainObject m(pathToSettingsFile, output);
m.run();


请注意,在实现std::streambuf的子类时,仅覆盖virtual int_type overflow(int_type c)即可,但可能效率不高(缓慢)。

10-05 23:10
查看更多