我需要在C++中序列化QML对象中的某些属性
示例如下:
import QtQuick 2.0
Rectangle {
property color fromcolor: "#0000FF"
property color tocolor: "#000000"
property int speed: 5000
// brave workaround :)
readonly property string serializable_properties: "fromcolor,tocolor,speed"
...
}
我只需要序列化serializable_properties
给出的属性。
有没有更好的方法来标记要序列化的属性,而无需在字符串中列出它们的名称?这是为了防止在更改属性名称时出现错误。
到目前为止,我按如下方式使用了serializable_properties
:
const QMetaObject *metaobject = object->metaObject();
int count = metaobject->propertyCount();
for (int i=0; i<count; ++i)
{
QMetaProperty metaproperty = metaobject->property(i);
const char *name = metaproperty.name();
QVariant value = object->property(name);
qDebug() << name << value;
}
上级:
感谢您的回答,我改进了这种方法如下:
枚举类的所有属性,但带后缀的属性除外标记为私人的"_p"。
const QObject *object = qobject_cast<QObject *>( qml_object ); const QMetaObject *metaobject = object->metaObject(); int count = metaobject->propertyCount(); for (int i=metaobject->propertyOffset(); i<count; ++i) { QMetaProperty metaproperty = metaobject->property(i); const char *name = metaproperty.name(); const QString p_name = QString::fromLatin1(name); QVariant value = object->property(name); if( p_name.endsWith(QStringLiteral("_p")) ) continue; qDebug() << name << value; }
和最终的 QML:
Rectangle {
id: this
property color fromcolor: "#0000FF"
property color tocolor: "#000000"
property int speed: 5000
property alias mwidth: this.width // if you want to serialize parent class width
property int internal_var_p: 5
}
最简单的方法可能是向属性名称添加前缀或后缀。然后,在循环访问属性列表时可以轻松检测到此类前缀/后缀。比如说,你的属性可以以 ser
开头,也可以以 _
结尾:
Rectangle {
// prefix variant
property color serFromColor: "#0000FF"
property color serToColor: "#000000"
// suffix variant
property color fromcolor_: "#0000FF"
property color tocolor_: "#000000"
}
对于后缀变体,序列化将如下所示:
QDataStream stream;
const QMetaObject *metaObject = object->metaObject();
int count = metaObject->propertyCount();
// You can start iterating from metaObject->propertyOffset() if you
// are not interested in properties of parent objects.
for (int i=0; i<count; ++i)
{
QMetaProperty property = metaObject->property(i);
const char *name = property.name();
const QString sName = QString::fromLatin1(name);
if (! sName.endsWith(QStringLiteral("_"))) continue;
QVariant value = object->property(name);
stream << sName << value;
qDebug() << name << value;
}
对于前缀变体,您需要检查 3 个条件:
- 名称长度超过 3 个字符。
- 名称以"ser"开头。
- 如果 name[3] 是一个字母,它必须是大写字母。
在 qml 中,您需要使用名称定义一个属性。如果更改此名称,则较旧的序列化将不再起作用。序列化就是这样。您可以使用"别名"实现向下兼容性。
为了减少 c++ 中的错误概率,您应该使用包含属性名称的const QString
而不是使用字符串(例如 "share_property"
)分布在代码中。
对于一个很好的序列化实现,请查看 http://www.boost.org/doc/libs/1_54_0/libs/serialization/doc/index.html