我需要在BB 10中使用动态数据实现可折叠列表。为此我使用Github中提供的FilteredDataModel示例。目前,所有数据都是硬编码的,但需要在ListView中动态填充数据。
搜索了很多但没有得到任何东西。
答案 0 :(得分:0)
我看了一下这个例子,硬编码的数据在VegetablesDataModel :: data函数中。这是您要用动态数据替换的数据。
首先,您需要考虑如何存储数据。该列表包含标题,每个标题都有一个子列表。表示标题和项目子列表的一种方法是使用
QPair<QString, QList<QString> >
QPair :: first将是您的标题,QPair :: second将是子项列表。
为了便于输入,您可以使用typedef
typedef QPair<QString, QList<QString> > SubList;
然后,为了表示ListView中的所有数据,您需要一个上面的SubList结构列表
QList<SubList>
接下来,我们要替换VegetablesDataModel返回数据的方式。为VegetablesDataModel添加一个新的成员变量,用于上面的项目列表
QList<SubList> m_listData.
您现在只需要替换VegetablesDataModel :: data和VegetablesDataModel :: childCount函数的内容。
QVariant VegetablesDataModel::data(const QVariantList& indexPath)
{
QString value;
if (indexPath.size() == 1) { // Header requested
int header = indexPath[0].toInt();
return m_listData[header].first; // Return the header name
}
if (indexPath.size() == 2) { // 2nd-level item requested
const int header = indexPath[0].toInt();
const int childItem = indexPath[1].toInt();
return m_listData[header].second[childItem]; // Return the matching sublist item.
}
qDebug() << "Data for " << indexPath << " is " << value;
return QVariant(value);
}
这会处理数据,但我们仍然需要告诉listView我们有多少元素。
int VegetablesDataModel::childCount(const QVariantList& indexPath)
{
const int level = indexPath.size();
if (level == 0) { // The number of top-level items is requested
return m_listData.length();
}
if (level == 1) { // The number of child items for a header is requested
const int header = indexPath[0].toInt();
return m_listData[header].second.length();
}
// The number of child items for 2nd level items is requested -> always 0
return 0;
}
你应该对其他一切保持不变。剩下的就是用你想要的数据填写m_listData。请记住任何拼写错误,因为我没有机会测试我的代码,但逻辑应该存在。