(编辑以添加更多上下文)
我开始使用QML,我想在QML类型上设置某种引用属性,链接两个QML对象(理想情况下,没有父/子关系,因为我喜欢连接多个QML对象)。
例如,我有以下文件。
qmldir:
A 1.0 A.qml
A.qml
import QtQuick 2.2
Rectangle {
width: 100
height: 100
color: 'red'
// Other stuff later
}
main.qml:
import QtQuick 2.2
import QtQuick.Window 2.1
import "qrc:/"
Rectangle {
objectName: "Main window"
visible: true
width: 360
height: 360
MouseArea {
anchors.fill: parent
onClicked: {
Qt.quit();
}
}
Text {
text: qsTr("Hello World")
anchors.centerIn: parent
}
property A referencedObject;
Rectangle {
id: subView
objectName: "subView"
}
}
我要对此做的是设置' referencedObject'的值。到运行时由C ++创建的对象。但是,设置属性的功能不允许使用QObject指针或QQuickItem指针,因为QVariant对象不能以这种方式构造。
类似的东西:
QQmlComponent aTemplate(&engine, QString("qrc:/A.qml"), &parentObject);
QQuickItem* aInstance = aTemplate.create();
aInstance->setParent(&parentObject);
mainView.setProperty("referencedObject",aInstance); // Won't work.
我想保留' A'在QML中键入对象,因为a)为此而不是C ++的样板,以及b)它意味着是一个单独的图形对象,它具有自己的生命,并且QML更适合该用例。
感谢您提供的任何帮助。
答案 0 :(得分:2)
以下示例显示如何设置QML中从C ++定义的自定义类型的对象的属性。
<强> A.qml 强>
import QtQuick 2.2
Rectangle {
width: 0
height: 0
color:"red"
}
<强> main.qml 强>
import QtQuick 2.2
Rectangle {
visible: true
width: 640
height: 480
property alias referencedObject:aProperty;
A
{
id:aProperty
objectName: "aPropertyObject"//Needed to access it from C++
}
}
现在我们已经定义了一个qml类型A
。 main.qml 具有此自定义类型的属性。我们需要从C ++中更改此对象的属性。让我们改变宽度,高度和颜色。
<强>的main.cpp 强>
#include <QApplication>
#include <QQmlApplicationEngine>
#include <QQuickView>
#include <QQuickItem>
int main(int argc, char *argv[])
{
QApplication app(argc, argv);
QQmlApplicationEngine engine;
QQmlComponent aTemplate(&engine, QUrl(("qrc:///A.qml")));
QQuickItem* aInstance =qobject_cast<QQuickItem*>(aTemplate.create());
aInstance->setWidth(100);
aInstance->setHeight(100);
aInstance->setProperty("color",QColor("green"));
if(aInstance)
{
QQuickView *mainView = new QQuickView;
mainView->setSource(QUrl(QStringLiteral("qrc:///main.qml")));
mainView->show();
QQuickItem * aPropertyObject = mainView->rootObject()->findChild<QQuickItem*>("aPropertyObject");
if(aPropertyObject)
{
//Now you have pointers to both source and destination.
//You can write a helper function which assigns the values
//of source to the destination.
//For the sake of demonstration, I am just setting some properties.
aPropertyObject->setWidth(aInstance->width());
aPropertyObject->setHeight(aInstance->height());
aPropertyObject->setProperty("color",aInstance->property("color"));
}
}
return app.exec();
}