如何遍历 QAbstractItemView 索引?
How to loop over QAbstractItemView indexes?
我想以编程方式为具有特定文本的项目触发 QAbstractItemView::doubleClicked
插槽。我想使用 QAbstractItemView
class 来做到这一点,如果可能的话,而不是它的实现。
此任务归结为遍历项目和比较字符串。但是我找不到任何可以给我所有 QModelIndex
es 的方法。唯一不带参数给出任何 QModelIndex
的方法是 QAbstractItemView::rootIndex
。但是当我查看 QModelIndex
文档时,我再次看不到访问它的方法 children 和兄弟姐妹。
那么如何访问 QAbstractItemView
中的所有 QModelIndex
呢?
索引由模型提供,而不是由视图提供。该视图提供 rootIndex()
来指示它认为模型中的哪个节点是根节点;它可能是一个无效的索引。否则与数据无关。您必须遍历模型本身 - 您可以从 view->model()
.
获取它
下面是模型的深度优先演练:
void iterate(const QModelIndex & index, const QAbstractItemModel * model,
const std::function<void(const QModelIndex&, int)> & fun,
int depth = 0)
{
if (index.isValid())
fun(index, depth);
if ((index.flags() & Qt::ItemNeverHasChildren) || !model->hasChildren(index)) return;
auto rows = model->rowCount(index);
auto cols = model->columnCount(index);
for (int i = 0; i < rows; ++i)
for (int j = 0; j < cols; ++j)
iterate(model->index(i, j, index), model, fun, depth+1);
}
仿函数 fun
为模型中的每个项目调用,从根开始并按深度-行-列顺序进行。
例如
void dumpData(QAbstractItemView * view) {
iterate(view->rootIndex(), view->model(), [](const QModelIndex & idx, int depth){
qDebug() << depth << ":" << idx.row() << "," << idx.column() << "=" << idx.data();
});
}
我想以编程方式为具有特定文本的项目触发 QAbstractItemView::doubleClicked
插槽。我想使用 QAbstractItemView
class 来做到这一点,如果可能的话,而不是它的实现。
此任务归结为遍历项目和比较字符串。但是我找不到任何可以给我所有 QModelIndex
es 的方法。唯一不带参数给出任何 QModelIndex
的方法是 QAbstractItemView::rootIndex
。但是当我查看 QModelIndex
文档时,我再次看不到访问它的方法 children 和兄弟姐妹。
那么如何访问 QAbstractItemView
中的所有 QModelIndex
呢?
索引由模型提供,而不是由视图提供。该视图提供 rootIndex()
来指示它认为模型中的哪个节点是根节点;它可能是一个无效的索引。否则与数据无关。您必须遍历模型本身 - 您可以从 view->model()
.
下面是模型的深度优先演练:
void iterate(const QModelIndex & index, const QAbstractItemModel * model,
const std::function<void(const QModelIndex&, int)> & fun,
int depth = 0)
{
if (index.isValid())
fun(index, depth);
if ((index.flags() & Qt::ItemNeverHasChildren) || !model->hasChildren(index)) return;
auto rows = model->rowCount(index);
auto cols = model->columnCount(index);
for (int i = 0; i < rows; ++i)
for (int j = 0; j < cols; ++j)
iterate(model->index(i, j, index), model, fun, depth+1);
}
仿函数 fun
为模型中的每个项目调用,从根开始并按深度-行-列顺序进行。
例如
void dumpData(QAbstractItemView * view) {
iterate(view->rootIndex(), view->model(), [](const QModelIndex & idx, int depth){
qDebug() << depth << ":" << idx.row() << "," << idx.column() << "=" << idx.data();
});
}