我可以以某种方式QVariant::isNull()与自定义Q_DECLARE_METATYPE()类型一起使用吗?
例如,如果我为整数定义了此类包装器类(为什么要这样做,但这应该是一个最小的示例)。定义bool isNull() const成员函数没有帮助:
#include <QVariant>
#include <QDebug>
class Integer {
bool null;
int x;
public:
Integer() : null(true), x(0) {}
Integer(int x) : null(false), x(x) {}
int value() const {
return x;
}
bool isNull() const {
return null;
}
};
Q_DECLARE_METATYPE(Integer)
int main()
{
Integer x(42);
Integer y(0);
Integer z;
qDebug() << x.isNull() << QVariant::fromValue(x).isNull();
qDebug() << y.isNull() << QVariant::fromValue(y).isNull();
qDebug() << z.isNull() << QVariant::fromValue(z).isNull(); // Not as expected!
}
Run Code Online (Sandbox Code Playgroud)
输出:
false false
false false
true false // Not as expected!
Run Code Online (Sandbox Code Playgroud)
不幸的是你不能。该QVariant::isNull代码如下:
static bool isNull(const QVariant::Private *d)
{
switch(d->type) {
case QVariant::String:
return v_cast<QString>(d)->isNull();
case QVariant::Char:
return v_cast<QChar>(d)->isNull();
case QVariant::Date:
return v_cast<QDate>(d)->isNull();
case QVariant::Time:
return v_cast<QTime>(d)->isNull();
...
}
return d->is_null;
}
Run Code Online (Sandbox Code Playgroud)
如您所见,它显式地使用isNull()某些常见变量类型的函数,并且默认情况下它返回d->is_null值。
该d->is_null是的d指针的类成员QVariant类被初始化true,但每次分配一个值的时间QVariant就变成false:
inline void qVariantSetValue(QVariant &v, const T &t)
{
...
d.is_null = false;
...
}
Run Code Online (Sandbox Code Playgroud)
因此,对于自定义类型,它将始终返回false。
一种可能性(我不推荐)是子类化QVariant并重新实现该isNull函数。在此函数中,您可以检查类型是否为自定义类型,在这种情况下,您可以返回isNull自定义类的函数的返回值,否则应返回QVariant::isNull函数的返回值。
bool MyQVariant::isNull() const
{
if (QString(typeName()) == "MyCustomClass")
return value<MyCustomClass>().isNull();
return QVariant::isNull();
}
Run Code Online (Sandbox Code Playgroud)
编辑
您的示例代码使用子类QVariant:
#include <QVariant>
#include <QDebug>
class Integer {
bool null;
int x;
public:
Integer() : null(true), x(0) {}
Integer(int x) : null(false), x(x) {}
int value() const {
return x;
}
bool isNull() const {
return null;
}
};
Q_DECLARE_METATYPE(Integer)
class MyQVariant : public QVariant
{
public:
MyQVariant(QVariant v) :
QVariant(v) {}
bool isNull() const
{
if (QString(typeName()) == "Integer")
return value<Integer>().isNull();
return QVariant::isNull();
}
};
int main(int argc, char *argv[])
{
Integer x(42);
Integer y(0);
Integer z;
qRegisterMetaType<Integer>("Integer");
MyQVariant v1(QVariant::fromValue(x));
MyQVariant v2(QVariant::fromValue(y));
MyQVariant v3(QVariant::fromValue(z));
qDebug() << x.isNull() << v1.isNull();
qDebug() << y.isNull() << v2.isNull();
qDebug() << z.isNull() << v3.isNull();
}
Run Code Online (Sandbox Code Playgroud)
输出:
false false
false false
true true
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
3344 次 |
| 最近记录: |