我想使用qInstallMessageHandler(handler)
将qDebug
重定向到QTextEdit
。
我在类中定义了一个处理函数:
void Spider::redirect(QtMsgType type, const QMessageLogContext& context, const QString& msg)
{
console->append(msg);
}
并在类的构造函数(Spider)中调用qInstallMessageHandler(redirect)
。
但是,当我编译这个程序时,我收到了一个错误:
无法从'void'类型转换'Spider :: redirect' (Spider ::)(QtMsgType,const QMessageLogContext&,const QString&)'to 输入'QtMessageHandler {aka void(*)(QtMsgType,const QMessageLogContext&,const QString&)}'
如果我在全局中定义处理函数,那没关系。
我无法弄清楚这两种行为之间的区别。
答案 0 :(得分:8)
我真的很喜欢这种调试能力。在我参与的最后几个项目中,我已经完成了几次。以下是相关的代码段。
在mainwindow.h中,在MainWindow
课程内,public
static QTextEdit * s_textEdit;
在mainwindow.cpp中的,在任何函数之外
QTextEdit * MainWindow::s_textEdit = 0;
MainWindow构造函数中的
s_textEdit = new QTextEdit;
// be sure to add the text edit into the GUI somewhere,
// like in a layout or on a tab widget, or in a dock widget
在main.cpp中,位于main()
void myMessageOutput(QtMsgType type, const QMessageLogContext &context, const QString &msg)
{
if(MainWindow::s_textEdit == 0)
{
QByteArray localMsg = msg.toLocal8Bit();
switch (type) {
case QtDebugMsg:
fprintf(stderr, "Debug: %s (%s:%u, %s)\n", localMsg.constData(), context.file, context.line, context.function);
break;
case QtWarningMsg:
fprintf(stderr, "Warning: %s (%s:%u, %s)\n", localMsg.constData(), context.file, context.line, context.function);
break;
case QtCriticalMsg:
fprintf(stderr, "Critical: %s (%s:%u, %s)\n", localMsg.constData(), context.file, context.line, context.function);
break;
case QtFatalMsg:
fprintf(stderr, "Fatal: %s (%s:%u, %s)\n", localMsg.constData(), context.file, context.line, context.function);
abort();
}
}
else
{
switch (type) {
case QtDebugMsg:
case QtWarningMsg:
case QtCriticalMsg:
// redundant check, could be removed, or the
// upper if statement could be removed
if(MainWindow::s_textEdit != 0)
MainWindow::s_textEdit->append(msg);
break;
case QtFatalMsg:
abort();
}
}
}
在初始化QApplication
实例之前,在main.cpp中的main()内部。
qInstallMessageHandler(myMessageOutput);
注意:这适用于任何单线程应用程序。一旦开始在GUI线程之外使用qDebug()
,您将崩溃。然后,您需要从任何线程函数(任何未在GUI线程上运行的函数)创建QueuedConnection
,以连接到您的MainWindow::s_textEdit
实例,如下所示:
QObject::connect(otherThread, SIGNAL(debug(QString)),
s_textEdit, SLOT(append(QString)), Qt::QueuedConnection);
如果你最终使用QDockWidget
并使用QMenu
,那么你可以做一些额外的酷事。最终结果是一个非常用户友好,易于管理的控制台窗口。
QMenu * menu;
menu = this->menuBar()->addMenu("About");
menu->setObjectName(menu->title());
// later on...
QDockWidget *dock;
dock = new QDockWidget("Console", this);
dock->setObjectName(dock->windowTitle());
dock->setWidget(s_textEdit);
s_textEdit->setReadOnly(true);
this->addDockWidget(Qt::RightDockWidgetArea, dock);
this->findChild<QMenu*>("About")->addAction(dock->toggleViewAction());
希望有所帮助。
答案 1 :(得分:-1)
非静态类方法和全局函数具有不同的签名。您不能将非静态方法用作函数。