我想调试事件处理代码,并希望将QEvent::Type
enum的值转换为人类可读的字符串。QEvent
有一个Q_GADGET
宏,所以应该有办法实现它吧?
最近的Qt版本在向调试流输出事件时做了正确的事情,所以下面的内容是不必要的。如果你得到一个类似于warning C4273: 'operator <<' : inconsistent dll linkage
的错误,这意味着你的Qt版本已经支持这个,而不需要下面的代码。
Q_GADGET
宏将QMetaObject staticMetaObject
成员添加到类中。静态元对象的定义是由moc生成的,它(在QEvent
的情况下)包含枚举信息。
下面是一个如何利用它来提供更合理的事件QDebug
输出的示例。
#include <QEvent>
#include <QMetaEnum>
#include <QDebug>
/// Gives human-readable event type information.
QDebug operator<<(QDebug str, const QEvent * ev) {
static int eventEnumIndex = QEvent::staticMetaObject
.indexOfEnumerator("Type");
str << "QEvent";
if (ev) {
QString name = QEvent::staticMetaObject
.enumerator(eventEnumIndex).valueToKey(ev->type());
if (!name.isEmpty()) str << name; else str << ev->type();
} else {
str << (void*)ev;
}
return str.maybeSpace();
}
使用例子:
void MyObject::event(QEvent* ev) {
qDebug() << "handling an event" << ev;
}
Q_GADGET和Q_ENUM可以组合得到以下模板:
template<typename EnumType>
QString ToString(const EnumType& enumValue)
{
const char* enumName = qt_getEnumName(enumValue);
const QMetaObject* metaObject = qt_getEnumMetaObject(enumValue);
if (metaObject)
{
const int enumIndex = metaObject->indexOfEnumerator(enumName);
return QString("%1::%2::%3").arg(metaObject->className(), enumName, metaObject->enumerator(enumIndex).valueToKey(enumValue));
}
return QString("%1::%2").arg(enumName).arg(static_cast<int>(enumValue));
}
的例子:
void MyObject::event(QEvent* ev)
{
qDebug() << ToString(ev->type());
}