8

我正在编写测试代码,它将自动遍历所有 Q_PROPERTY 的小部件,并且某些属性正在使用通过 qRegisterMetaType 注册的类型。如果我想将它们读/写到 QVariant 中,我需要在将它们存储到变体中时使用 QVariant::UserType。到现在为止还挺好。

但是当我想测试这些属性的读写时,我还需要知道它们的类型。对于已经是标准 qt 类型的东西,我可以通过 QVariant::type() 做到这一点,但由于我有很多用户类型,这将如何实现?

从 QVariant 的 api 中,我发现了这一点:

bool QVariant::canConvert ( Type t ) const

但是我有点怀疑这是否会在枚举的情况下导致错误的类型?

那么,验证 QVariant 中存储了哪种类型的用户类型的万无一失的方法是什么?

4

1 回答 1

15

对于用户定义的类型,有QVariant::userType()。它像 QVariant::type() 一样工作,但返回用户定义类型的类型 id 整数,而 QVariant::type() 总是返回 QVariant::UserType。

还有QVariant::typeName()将类型的名称作为字符串返回。

编辑 :

这可能取决于您如何设置 QVariant。不鼓励直接使用QVariant::QVariant(int type, const void * copy) 。

假设我有这样的三种类型:

class MyFirstType
{ 
    public:
        MyFirstType();
        MyFirstType(const MyFirstType &other);
        ~MyFirstType();

        MyFirstType(const QString &content);

        QString content() const;

    private:
        QString m_content;
};
Q_DECLARE_METATYPE(MyFirstType);

第三个没有 Q_DECLARE_METATYPE

我将它们存储在 QVariant 中:

 QString content = "Test";

 MyFirstType first(content);

 MySecondType second(content);

 MyThirdType third(content);

 QVariant firstVariant;
 firstVariant.setValue(first);

 QVariant secondVariant = QVariant::fromValue(second);

 int myType = qRegisterMetaType<MyThirdType>("MyThirdType");

 QVariant thirdVariant(myType, &third); // Here the type isn't checked against the data passed

 qDebug() << "typeName for first :" << firstVariant.typeName();
 qDebug() << "UserType :" << firstVariant.userType();
 qDebug() << "Type : " << firstVariant.type();

 [...]

我得到:

typeName for first : MyFirstType 
UserType : 256 
Type :  QVariant::UserType 

typeName for second : MySecondType 
UserType : 257 
Type :  QVariant::UserType 

typeName for third : MyThirdType 
UserType : 258 
Type :  QVariant::UserType 
于 2010-07-07T15:53:18.793 回答