我正在处理一个Qt应用程序,我想在其中检索目录/文件系统模型类树中可导航行的总数。这意味着如果展开文件夹,则会添加其计数,如果折叠文件夹,则不会添加其计数。总的来说,我希望能够检索扩展和可用的每一行的编号。据我所知,在网上没有容易找到这样的实现。两个尚未奏效的解决方案:
int MainWindow::countRowsOfIndex_treeview( const QModelIndex & index )
{
int count = 0;
const QAbstractItemModel* model = index.model();
int rowCount = model->rowCount(index);
count += rowCount;
for( int r = 0; r < rowCount; ++r )
count += countRowsOfIndex_treeview( model->index(r,0,index) );
return count;
}
这甚至没有接近我想要实现的目标,因为它不考虑未展开的文件夹。
到目前为止,我一直在使用以下方法处理一级行计数:
ui->treeView->model()->rowCount(ui->treeView->currentIndex().parent())
但是,这不包括未扩展的孩子等。我希望我的问题很清楚。任何帮助,不胜感激。如果需要,我愿意提供更多信息。谢谢。
您可以检查视图是否扩展了每个索引。那么它只是一个遍历模型的问题。
库巴订单的信用: 如何遍历QAbstractItemView索引?
基于他漂亮的遍历函数:
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)) 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);
}
,您可以轻松写下您的需求:
int countExpandedNode(QTreeView * view) {
int totalExpanded = 0;
iterate(view->rootIndex(), view->model(), [&totalExpanded,view](const QModelIndex & idx, int depth){
if (view->isExpanded(idx))
totalExpanded++;
});
return totalExpanded;
}
像这样调用代码:
QTreeView view;
view.setModel(&model);
view.setWindowTitle(QObject::tr("Simple Tree Model"));
view.expandAll();
view.show();
qDebug() << "total expanded" << countExpandedNode(&view);
我已经在Qt TreeModel示例上对其进行了快速测试,它似乎有效。