13

在搜索了 qDebug() 语句与 Qt 的标准消息处理程序一起工作但在我切换到自己的消息处理程序时失败的原因之后,我在这里呼吁看看是否有其他人对这个问题有任何经验。

我知道/尝试过的事情,什么都没做......

1)CONFIG += console

2)DEFINES -= QT_NO_WARNING_OUTPUT QT_NO_DEBUG_OUTPUT

3)::fprintf(stderr, "ERROR\n"); ::fflush(stderr);

4)::fprintf(stdout, "OUTPUT\n"); ::fflush(stdout);

5)std::cerr << "CERROR" << std::endl; std::cerr.flush();

但是,当使用内置处理程序时它可以正常工作(即,它将消息打印到 QtCreator 控制台)

int main(int argc, char *argv[]) {
    // Use my handler
    qInstallMessageHandler(MyCustomLogger);
    qDebug() << "Not Printed";

    // Use standard handler
    qInstallMessageHandler(0);
    qDebug() << "Correctly Printed";

    // Use my handler again
    qInstallMessageHandler(MyCustomLogger);
    qDebug() << "Not Printed Again...";
}

最近的测试是使用 WinAPI 命令为自己分配一个控制台,这导致正确的行为所有输出到 stderr 和 stdout 在我创建的控制台上可见。但是,这不是我想要的行为,我希望能够在 QtCreator 中查看此输出。

关于标准消息处理程序如何打印到调试器的任何想法?我还没有设法在 Qt 源代码中找到它。

4

2 回答 2

15

正如弗兰克奥斯特菲尔德在他的评论中提到的那样:

在 Windows 上,qDebug() 使用调试通道,而不是标准错误。

在深入研究 QDebug 代码和 QMessageLogger 之后,我找到了答案。方便的 WinAPI 函数OutputDebugString

用法(修改自 peppe's):

#include <QApplication>
#include <QtDebug>
#include <QtGlobal>

#include <stdio.h>
#include <stdlib.h>
#include <Windows.h>

void MyMessageOutput(QtMsgType Type, const QMessageLogContext& Context, const QString &Message)
{
    OutputDebugString(reinterpret_cast<const wchar_t *>(Message.utf16()));
}

int main(int argc, char **argv)
{
    // A GUI application
    QApplication app(argc, argv);

    // Custom handler
    qInstallMessageHandler(myMessageOutput);
    qDebug() << "Printed in the console using my message handler in a windows GUI application";

    // Default handler
    qInstallMessageHandler(0);
    qDebug() << "Also printed in the console!";

    // Show GUI here
    //MainForm *MF = new MainForm();
    //MF->show();

    return app.exec();
}
于 2013-02-03T13:13:32.513 回答
2

我无法重现您的问题:这对我来说是正确的。

#include <QCoreApplication>
#include <QtDebug>
#include <QtGlobal>

#include <stdio.h>
#include <stdlib.h>

void myMessageOutput(QtMsgType type, const QMessageLogContext &context, const QString &msg)
{
    QByteArray localMsg = msg.toLocal8Bit();
    fprintf(stderr, "MESSAGE (%s:%u %s): %s\n", context.file, context.line, context.function, localMsg.constData());
    fflush(stderr);
}

int main(int argc, char **argv)
{
    QCoreApplication app(argc, argv);
    qInstallMessageHandler(myMessageOutput);
    qDebug() << "Printed in the console";
    qInstallMessageHandler(0);
    qDebug() << "Also printed in the console";
    return app.exec();
}
于 2013-02-01T09:54:48.547 回答