1

我正在使用 Qt 5.4.1。

我目前正在 QML 中设置一些按钮。我希望某些按钮具有类似的状态行为 - 如何避免通过 QML 重复大量非常相似的代码?

Rectangle {
        id: songFilterButton

        x: 0; width: 80
        y: 0; height: 60

        Text {
            anchors.centerIn: parent
            text: "Songs"
        }

        state: "on"; states: [
            State {
                name: "on"
                PropertyChanges{ target: songFilterButton; color: "steelblue" }
            },
            State {
                name: "on"
                PropertyChanges{ target: songFilterButton; color: "white" }
            }
        ]

        MouseArea { id: region; anchors.fill: parent; onClicked: songFilterButton.toggle() }

        function toggle() {
            if(state == "on") { state = "off" } else { state = "on" }
        }
    }

对于几个按钮重复这将是相当多的代码,并且每次我添加到按钮功能(例如向 C++ 和其他行为发送信号)时,我都必须执行多次......

我已阅读 MrEricSir 提供的链接,并使用以下代码创建了 HKRadioButton.qml:

import QtQuick 2.0

Rectangle {
    property string text: label.text

    Text {
        id: label
        anchors.centerIn: parent
    }

    state: "on"; states: [
        State {
            name: "on"
            PropertyChanges{ target: songFilterButton; color: "steelblue" }
        },
        State {
            name: "off"
            PropertyChanges{ target: songFilterButton; color: "white" }
        }
    ]

    MouseArea { anchors.fill: parent; onClicked: parent.toggle() }

    function toggle() {
        if(state == "on") { state = "off" } else { state = "on" }
    }
}

在我的主要 QML 文件中,我有

HKRadioButton {
        id: songFilterButton

        x: 0; width: 80
        y: 0; height: 60

        text: "Songs"
    }

我得到了行为(改变状态),但没有得到文本......

4

2 回答 2

2

改变

property string text: label.text

property alias text: label.text

现在您只需分配label. text拥有财产HKRadioButtontext但这应该是相反的动作。

于 2015-03-07T00:37:18.440 回答
2

定义您自己的组件。您可以“就地”创建组件,然后右键单击组件的根对象 -> 重构 -> 将组件移动到单独的文件中。例如:

Rectangle {
    id: button
    ...
}

将其移至 Button.qml 后,您可以使用:

Button {
    ...
}

使用“内联”组件:

Component {
    id: button
    Rectangle {
        ...
    }
}

然后您可以使用buttonwithLoader或 进行动态实例化button.createObject(parentItem)

正如另一个答案所述,如果您想为引用某些子对象属性的组件创建属性,请使用别名属性,有助于避免不必要的绑定。

Rectangle {
    property string text

    Text {
        id: label
        anchors.centerIn: parent
        text: parent.text // this is what you want
    }
    ...
}

但这会引入不必要的绑定,您可以使用 analias直接text从根组件属性中引用标签,如 folibis 建议的那样。

于 2015-03-07T00:48:44.767 回答