QML 怎么读取QStringList
时间: 2024-05-12 22:13:32 浏览: 183
QML ListView
5星 · 资源好评率100%
在 QML 中,可以通过 `model` 属性和 `ListView` 组件来读取 `QStringList`。具体而言,需要将 `QStringList` 转换为 `QAbstractListModel` 的子类,然后将其设置为 `ListView` 的 `model` 属性。以下是一个示例:
```
// MyStringListModel.h
#ifndef MYSTRINGLISTMODEL_H
#define MYSTRINGLISTMODEL_H
#include <QAbstractListModel>
#include <QStringList>
class MyStringListModel : public QAbstractListModel
{
Q_OBJECT
public:
explicit MyStringListModel(QObject *parent = nullptr);
int rowCount(const QModelIndex &parent = QModelIndex()) const override;
QVariant data(const QModelIndex &index, int role = Qt::DisplayRole) const override;
void setStringList(const QStringList &stringList);
private:
QStringList m_stringList;
};
#endif // MYSTRINGLISTMODEL_H
// MyStringListModel.cpp
#include "MyStringListModel.h"
MyStringListModel::MyStringListModel(QObject *parent)
: QAbstractListModel(parent)
{
}
int MyStringListModel::rowCount(const QModelIndex &parent) const
{
Q_UNUSED(parent)
return m_stringList.count();
}
QVariant MyStringListModel::data(const QModelIndex &index, int role) const
{
if (!index.isValid())
return QVariant();
if (index.row() >= m_stringList.count())
return QVariant();
if (role == Qt::DisplayRole)
return m_stringList.at(index.row());
return QVariant();
}
void MyStringListModel::setStringList(const QStringList &stringList)
{
beginResetModel();
m_stringList = stringList;
endResetModel();
}
```
在 QML 中使用该模型:
```
import QtQuick 2.0
ListView {
id: listView
MyStringListModel {
id: stringListModel
}
Component.onCompleted: {
var stringList = ["apple", "banana", "cherry"]
stringListModel.setStringList(stringList)
listView.model = stringListModel
}
delegate: Text { text: model.display }
}
```
在上面的代码中,我们创建了一个名为 `MyStringListModel` 的 `QAbstractListModel` 的子类,并实现了 `rowCount` 和 `data` 函数。在 QML 中,我们创建了一个 `ListView` 组件,并创建了一个 `MyStringListModel` 的实例,并将其设置为 `ListView` 的 `model` 属性。最后,我们使用 `delegate` 属性来指定每个列表项的外观。
阅读全文