我想针对具有特定文字的项目发送QAbstractItemView::doubleClicked
插槽programaticaly。我希望使用QAbstractItemView
类来实现这一点,如果可能的话,不是它的实现。
此任务归结为循环项目和比较字符串。但我找不到任何可以给我所有QModelIndex
es的方法。给出任何不带参数的QModelIndex
的唯一方法是QAbstractItemView::rootIndex
。但是,当我查看QModelIndex
文档时,我再次看不到访问它的孩子和兄弟姐妹的方法。
那么如何访问QModelIndex
中的所有QAbstractItemView
?
答案 0 :(得分:7)
索引由模型提供,而不是由视图提供。视图提供rootIndex()
以指示模型中它认为是root的节点;它可能是一个无效的索引。否则它与数据无关。您必须遍历模型本身 - 您可以从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 (!model->hasChildren(index) || (index.flags() & Qt::ItemNeverHasChildren)) 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
,从root开始并以深度 - 行 - 列顺序进行。
E.g。
void dumpData(QAbstractItemView * view) {
iterate(view->rootIndex(), view->model(), [](const QModelIndex & idx, int depth){
qDebug() << depth << ":" << idx.row() << "," << idx.column() << "=" << idx.data();
});
}