0

我想从 qml 中的 c++ 中“拉”数据,如下所示:

   Component.onCompleted: {
        MySettings.loadMainWindowPosition(aAppWnd.x, aAppWnd.y, aAppWnd.width, aAppWnd.height, aAppWnd.visibility);
    }

当 MySettings 通过以下方式注册时:

context->setContextProperty("MySettings", m_settings);

但是当我像这样制作函数签名时:

void MySettings::loadMainWindowPosition(int& x, int& y, int& width, int& height, int& visibility)

我收到以下错误:

qrc:/GUI/App.qml:35: 错误:未知方法参数类型:int&

那么如何正确地从 C++ 中“拉”到 qml 中的数据呢?

更新

我解释得更好。现在我可以从 qml 调用 c++ 函数(并发送参数):

   Component.onCompleted: {
        MySettings.someFunc(111, 222);
    }

在 c++ 代码中,我收到参数值为“111”和“222”的函数调用。

但我想在 c++ 中更改此参数。我想要那样的东西:

   Component.onCompleted: {
        var a;
        var b;
        MySettings.someFunc(a, b);
    }

我想在 C++ 代码中设置“333”和“555”的参数。因此,在调用MySettings.someFunc(a, b)之后,我期望 (a==333) 和 (b==555)。

这该怎么做?

4

2 回答 2

1

从 QML 调用 C++ 函数时,不要尝试将返回值作为参考参数。相反,使用返回值。要在一次调用中传输多个值,请定义您的 C++ 方法,例如

Q_INVOKABLE QVariantList someFunc() { ... }

并通过在 QML 中使用它

Component.onCompleted: {
    var returnValues = MySettings.someFunc();
    //access the returnValues via list indices here:
    var a = returnValues[0];
    var b = returnValues[1];
}
于 2019-03-26T21:21:34.660 回答
1

通过引用传递值不能从 QML 调用 c++ 函数。如果您想要同步调用,请在您的 C++ 代码中使用一些链接:

QVariantList MySettings::someFunc(int a, int b){

        QVariantList list;
        list.append(a + 5); // edit the passed values here
        list.append(b + 5); // edit the passed values here
        return list;
    }

在你的 QML 代码中是这样的:

var test = gapi.someFunc(3,2); // pass values here and get the new ones
console.log("The return data" + test);
于 2019-03-28T17:50:37.850 回答