首页 文章

如何将C属性绑定到QML属性?

提问于
浏览
5

所以我知道如何将QML属性绑定到C属性,所以当C one调用notify signal时,QML会更新视图 . 当用户使用UI更改内容时,有没有办法让C属性更新?

例如,我有一个Combobox,我希望在用户更改组合框的值时更新一些C属性 .

编辑:由C属性我的意思 QObject 宏在 QObject -derived类 .

2 回答

  • -1

    要从未在QML中创建的对象绑定属性(或在另一个上下文中创建),必须使用Binding . 在你的情况下:

    Binding {
        target: yourCppObject
        property: "cppPropertyName"
        value: yourComboBox.currentText
    }
    
  • 3
    1) Firstly you have to create main.cpp page.
    
    #include <QtGui>
    #include <QtDeclarative>
    
    class Object : public QObject
    {
     Q_OBJECT
     Q_PROPERTY( QString theChange READ getTheChange NOTIFY changeOfStatus )
    
     public:
      Object() {
       changeMe = false;
       myTimer = new QTimer(this);
       myTimer->start(5000);
       connect(myTimer, SIGNAL (timeout()), this, SLOT (testSlot()));
      }
    
      QString getTheChange() {
       if (theValue  0) {
        return "The text changed";
       } if (theValue  1) {
        return "New text change";
       }
       return "nothing has happened yet";
      }
    
      Q_INVOKABLE void someFunction(int i) {
       if ( i  0) {
        theValue = 0;
       }
       if (i  1) {
        theValue = 1;
       }
       emit changeOfStatus(i);
      }
    
      signals:
       void changeOfStatus(int i) ;
    
      public slots:
       void testSlot() {
        if (changeMe) {
         someFunction(0);
        } else {
         someFunction(1);
        }
        changeMe = !changeMe;
       }
    
      private:
       bool changeMe;
       int theValue;
       QTimer *myTimer;
    };
    
    #include "main.moc"
    
    int main(int argc, char* argv[])
    {
     QApplication app(argc, argv);
     Object myObj;
     QDeclarativeView view;
     view.rootContext()->setContextProperty("rootItem", (QObject *)&myObj);
     view.setSource(QUrl::fromLocalFile("main.qml"));
     view.show();
     return app.exec();
    }
    
    2) The QML Implementation main.qml
    In the QML code below we create a Rectangle that reacts to mouse clicks. The text is set to the result of the Object::theChange() function.
    
    import QtQuick 1.0
    
    Rectangle {
     width: 440; height: 150
    
     Column {
      anchors.fill: parent; spacing: 20
      Text {
       text: rootItem.theChange
       font.pointSize: 25; anchors.horizontalCenter: parent.horizontalCenter
      }
     }
    }
    
    So, using the approach in the example above, we get away for QML properties to react to changes that happen internally in the C++ code.
    

    资料来源:https://wiki.qt.io/How_to_Bind_a_QML_Property_to_a_C%2B%2B_Function

相关问题