我正在寻找一种更好的方式在树中显示多级分层数据,其中每列的含义会根据树中的级别而变化。
我正在使用QTreeView
和QAbstractItemModel
来显示我的模型数据。
每个模型行都有不同的列数和不同的列名,具体取决于其在层次结构中的级别。
为了给树中显示的数据提供上下文,我需要为层次结构中的每个级别提供列标题。
问题是QTreeView
只有一组列标题。
当前方法
目前我每次更改所选行时都会更改标题。
我是通过连接到树状视图selectionModel
来执行此操作,并在每次选择更改时使用新QModelIndex
发出信号
void Window::slotOnSelectionChanged(const QItemSelection& new_selection, const QItemSelection& old_selection)
{
QItemSelectionModel* selection_model = _view->selectionModel();
QModelIndex index = selection_model->currentIndex();
if (index.isValid())
emit selectedIndexChanged(index);
}
在我的模型中,我连接到此信号,当它触发时,存储所选行,并强制列标题更新
void Model::slotOnSelectedIndexChanged(QModelIndex index)
{
assert(index.isValid());
_selected_row = modelRow(index);
emit headerDataChanged(Qt::Horizontal, 0, _root->numColumns());
}
在QAbstrateItemModel::headerData
回调中,我使用selected_row
获取当前所选行的标题
QVariant Model::headerData(int i, Qt::Orientation orientation, int role) const
{
if (role == Qt::DisplayRole)
{
switch (orientation)
{
case Qt::Horizontal:
return QVariant(_selected_row->header(i));
...
结果
结果如下所示 - 注意列标题随所选行的变化而变化。
问题
通过查看每个数据的视图并不是很明显,因此用户需要更改行以查看每个列的实际含义。
我想要的是拥有某种嵌入式列标题行,层次结构中每个级别1个。
这样的事情:
问题
答案 0 :(得分:4)
根据@Kuba Ober的建议,我在树的每个层次结构中的位置0添加了一个额外的行。它没有孩子。
然后将模型配置为index.row() == 0
的特殊情况,知道此行是标题行而不是数据行。
例如:在Model::flags
中标题行不可编辑
Qt::ItemFlags Model::flags(const QModelIndex& index) const
{
Qt::ItemFlags item_flags = Qt::ItemIsEnabled | Qt::ItemIsSelectable;
// header row is not editable
if (index.row() != 0)
item_flags |= Qt::ItemIsEditable;
return item_flags;
}
我现在返回headerData
的空字符串,因为标题位于树本身
QVariant Model::headerData(int i, Qt::Orientation orientation, int role) const
{
if (role == Qt::DisplayRole)
{
switch (orientation)
{
case Qt::Horizontal:
return QVariant(); // no column header, it's already in the tree
...
我也改变了标题的背景颜色,以便它突出
QVariant Model::data(const QModelIndex& index, int role) const
{
switch (role)
{
case Qt::BackgroundColorRole:
if (index.row() == 0) // header row
return QColor(Qt::darkGray);
break;
...
结果几乎正是我所寻找的