QTreeView 与 QTreeWidget 例子

1. 先举个例子

1班有3个学生:张三、李四、王五
4个学生属性:语文 数学 英语 性别。
语文 数学 英语使用QDoubleSpinBox* 编辑,范围为0到100,1位小数
性别使用QComboBox* 编辑,选项为:男、女
实现效果:
在这里插入图片描述

2. 按照例子实现

2.1 自定义一个QStandardItemModel 来存数据

#include <QApplication>
#include <QTreeView>
#include <QStandardItemModel>
#include <QStandardItem>
#include <QDoubleSpinBox>
#include <QComboBox>
#include <QStyledItemDelegate>
#include <QHeaderView>

class CustomStandardItemModel : public QStandardItemModel
{
public:
    CustomStandardItemModel(QObject *parent = nullptr);

    Qt::ItemFlags flags(const QModelIndex &index) const override;
};


class CustomStandardItemModel : public QStandardItemModel
{
public:
    CustomStandardItemModel(QObject *parent = nullptr);

    Qt::ItemFlags flags(const QModelIndex &index) const override;
};


CustomStandardItemModel::CustomStandardItemModel(QObject *parent) : QStandardItemModel(parent)
{
    // Set up the model
    setColumnCount(2);
    setHorizontalHeaderLabels(QStringList()<< "属性" << "值") ;

    // Root item
    QStandardItem *rootItem = invisibleRootItem();
    QStandardItem *classItem = new QStandardItem("1班");
    rootItem->appendRow(classItem);

    // Students
    QStringList students = {"张三", "李四", "王五"};
    for (const QString &student : students)
    {
        QStandardItem *studentItem = new QStandardItem(student);
        classItem->appendRow(studentItem);

        // Subjects
        QStringList subjects = {"语文", "数学", "英语", "性别"};
        for (const QString &subject : subjects)
        {
            QStandardItem *subjectItem = new QStandardItem(subject);
            subjectItem->setEditable(false); // Property column is not editable
            QStandardItem *valueItem = new QStandardItem(subject == "性别"?"女":"100.0");
            valueItem->setEditable(true); // Value column is editable for level 2
            studentItem->appendRow(QList<QStandardItem*>() << subjectItem << valueItem);
        }
    }
}

Qt::ItemFlags CustomStandardItemModel::flags(const QModelIndex &index) const
{
    if (index.column() == 1 && index.parent().isValid()) {
        QStandardItem *item = itemFromIndex(index);
        if (item && item->hasChildren()) {
            // If the item has children, it's a student node, make value column not editable
            return QAbstractItemModel::flags(index) & ~Qt::ItemIsEditable;
        }
    }
    return QStandardItemModel::flags(index);
}

2.2 自定义一个QStyledItemDelegate 来显示不同的QWidget控件

class CustomDelegate : public QStyledItemDelegate
{
public:
    CustomDelegate(QObject *parent = nullptr) ;

    QWidget *createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index) const override;

};

CustomDelegate::CustomDelegate(QObject *parent) : QStyledItemDelegate(parent)
{

}

QWidget *CustomDelegate::createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index) const
{
    if (index.column() == 1 && index.parent().isValid())
    {
        QString property = index.sibling(index.row(), 0).data().toString();
        if (property == "语文" || property == "数学" || property == "英语")
        {
            QDoubleSpinBox *spinBox = new QDoubleSpinBox(parent);
            spinBox->setRange(0, 100);
            spinBox->setDecimals(1);
            return spinBox;
        } else if (property == "性别") {
            QComboBox *comboBox = new QComboBox(parent);
            comboBox->addItem("男");
            comboBox->addItem("女");
            return comboBox;
        }
    }
    return QStyledItemDelegate::createEditor(parent, option, index);
}

2.3 使用 QTreeView 来显示

int main(int argc, char *argv[])
{
    QApplication a(argc, argv);

    CustomStandardItemModel* model;
    CustomDelegate* delegate;

    QTreeView *treeView;
    treeView = new QTreeView();
    treeView->setObjectName(QString::fromUtf8("treeView"));
    treeView->setGeometry(QRect(40, 30, 241, 501));


    model = new CustomStandardItemModel();
    delegate = new CustomDelegate();

    treeView->setModel(model);
    treeView->setItemDelegate(delegate);
    treeView->header()->setSectionResizeMode(QHeaderView::ResizeToContents);
    treeView->expandAll();
    treeView->show();

    bool ret = a.exec();

    delete model;
    delete delegate;
    delete treeView;

    return ret;
}

2.4 运行效果

在这里插入图片描述

修改语文、数学、英语时,双击后,变成QDoubleSpinBox 控件
在这里插入图片描述

修改性别时,双击后,变成QComboBox控件

3. 增加修改的信号

要在 CustomDelegate 中实现值修改时发送信号,通知告知是哪个学生的哪个属性的值变成了多少,可以按照以下步骤进行修改:

定义信号:在 CustomDelegate 类中添加一个信号,用于在值修改时发送。
捕获编辑器值的变化:在 setModelData 方法中捕获编辑器的值变化,并发出信号。

修改代码:


class CustomDelegate : public QStyledItemDelegate
{
    Q_OBJECT
public:
    CustomDelegate(QObject *parent = nullptr) ;

    QWidget *createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index) const override;


    void setModelData(QWidget *editor, QAbstractItemModel *model, const QModelIndex &index) const override;

signals:
    void valueChanged( QString &student,  QString &property, QVariant value) const;
};


CustomDelegate::CustomDelegate(QObject *parent) : QStyledItemDelegate(parent)
{

}

QWidget *CustomDelegate::createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index) const
{
    if (index.column() == 1 && index.parent().isValid()) {
        QString property = index.sibling(index.row(), 0).data().toString();
        if (property == "语文" || property == "数学" || property == "英语") {
            QDoubleSpinBox *spinBox = new QDoubleSpinBox(parent);
            spinBox->setRange(0, 100);
            spinBox->setDecimals(1);
            return spinBox;
        } else if (property == "性别") {
            QComboBox *comboBox = new QComboBox(parent);
            comboBox->addItem("男");
            comboBox->addItem("女");
            return comboBox;
        }
    }
    return QStyledItemDelegate::createEditor(parent, option, index);
}

void CustomDelegate::setModelData(QWidget *editor, QAbstractItemModel *model, const QModelIndex &index) const
{
    if (index.column() == 1 && index.parent().isValid()) {
        QString property = index.sibling(index.row(), 0).data().toString();
        QString student = index.parent().data().toString();

        if (QDoubleSpinBox *spinBox = qobject_cast<QDoubleSpinBox*>(editor))
        {
            double value = spinBox->value();
            model->setData(index, value);
            emit valueChanged(student, property, QVariant::fromValue(value));
        }
        else if (QComboBox *comboBox = qobject_cast<QComboBox*>(editor))
        {
            QString value = comboBox->currentText();
            model->setData(index, value);
            emit valueChanged(student, property, QVariant::fromValue(value));
        }
    }
    else
    {
        QStyledItemDelegate::setModelData(editor, model, index);
    }
}

连接信号和槽

    // 连接信号槽
    QObject::connect(delegate, &CustomDelegate::valueChanged, [&](const QString &student, const QString &property, QVariant value) 
    {
        if (property == "性别")
        {
            qDebug() << "学生:" << student << "属性:" << property << "值:" << value.toString();
        }
        else
        {
            qDebug() << "学生:" << student << "属性:" << property << "值:" << value.toDouble();
        }
    });

4. 上面例子改为QTreeWidget 实现

基本步骤也差不多,就是少了QStandardItemModel


#include <QApplication>
#include <QTreeWidget>
#include <QTreeWidgetItem>
#include <QHeaderView>
#include <QLineEdit>
#include <QDoubleSpinBox>
#include <QComboBox>
#include <QAbstractItemView>
#include <QEvent>
#include <QMouseEvent>
#include <QItemDelegate>
#include <QDebug>
#include <cmath> // 用于std::fabs函数
#include <iostream>

class MyTreeWidgetDelegate : public QItemDelegate {
    Q_OBJECT

public:
    MyTreeWidgetDelegate(QObject* parent = nullptr) : QItemDelegate(parent) {}

    QWidget* createEditor(QWidget* parent, const QStyleOptionViewItem& option, const QModelIndex& index) const override 
    {
        if (index.column() == 1)
        {
            QTreeWidgetItem* item = static_cast<QTreeWidgetItem*>(index.internalPointer());
            if (item && item->parent() && item->parent()->parent()) {
                const QString attr = item->text(0);
                if (attr == "语文" || attr == "数学" || attr == "英语") {
                    QDoubleSpinBox* spinBox = new QDoubleSpinBox(parent);
                    spinBox->setRange(0, 100);
                    spinBox->setDecimals(1);
                    spinBox->setSingleStep(0.1);
                    return spinBox;
                }
                else if (attr == "性别") 
                {
                    QComboBox* comboBox = new QComboBox(parent);
                    comboBox->addItems({ "男", "女" });
                    return comboBox;
                }
            }
        }
        return QItemDelegate::createEditor(parent, option, index);
    }

    void setEditorData(QWidget* editor, const QModelIndex& index) const override 
    {
        if (index.column() == 1) 
        {
            QTreeWidgetItem* item = static_cast<QTreeWidgetItem*>(index.internalPointer());
            if (item && item->parent() && item->parent()->parent()) {
                const QString attr = item->text(0);
                if (attr == "语文" || attr == "数学" || attr == "英语") {
                    QDoubleSpinBox* spinBox = qobject_cast<QDoubleSpinBox*>(editor);
                    if (spinBox) 
                    {
                        spinBox->setValue(item->text(1).toDouble());
                    }
                }
                else if (attr == "性别") 
                {
                    QComboBox* comboBox = qobject_cast<QComboBox*>(editor);
                    if (comboBox) 
                    {
                        comboBox->setCurrentText(item->text(1));
                    }
                }
            }
        }
        else 
        {
            QItemDelegate::setEditorData(editor, index);
        }
    }

    void setModelData(QWidget* editor, QAbstractItemModel* model, const QModelIndex& index) const override 
    {
        if (index.column() == 1) 
        {
            QString property = index.sibling(index.row(), 0).data().toString();
            QString student = index.parent().data().toString();

            if (QDoubleSpinBox* spinBox = qobject_cast<QDoubleSpinBox*>(editor))
            {
                double oldValue = index.sibling(index.row(), 1).data().toDouble();
                double value = spinBox->value();
                if (std::fabs(oldValue - value) > 1e-6)
                {
                    model->setData(index, value, Qt::EditRole);
                    emit valueChanged(student, property, QVariant::fromValue(value));
                }
            }
            else if (QComboBox* comboBox = qobject_cast<QComboBox*>(editor))
            {
                QString oldValue = index.sibling(index.row(), 1).data().toString();
                QString value = comboBox->currentText();
                if (oldValue != value)
                {
                    model->setData(index, value, Qt::EditRole);
                    emit valueChanged(student, property, QVariant::fromValue(value));
                }
            }
        }
        else 
        {
            QItemDelegate::setModelData(editor, model, index);
        }
    }

    void updateEditorGeometry(QWidget* editor, const QStyleOptionViewItem& option, const QModelIndex& index) const override 
    {
        editor->setGeometry(option.rect);
    }
signals:
    void valueChanged(QString& student, QString& property, QVariant value) const;
};

class CustomTreeWidget : public QTreeWidget {
    Q_OBJECT

public:
    CustomTreeWidget(QWidget* parent = nullptr) : QTreeWidget(parent) {
        setColumnCount(2);
        setHeaderLabels({ "属性", "值" });

        // 设置属性列不可编辑
        header()->setSectionResizeMode(0, QHeaderView::Stretch);
        header()->setSectionResizeMode(1, QHeaderView::Stretch);

        // 创建班级节点
        QTreeWidgetItem* classItem = new QTreeWidgetItem(this);
        classItem->setText(0, "1班");
        classItem->setFlags(classItem->flags() & ~Qt::ItemIsEditable);

        // 创建学生节点
        QStringList students = { "张三", "李四", "王五" };
        for (const QString& student : students) {
            QTreeWidgetItem* studentItem = new QTreeWidgetItem(classItem);
            studentItem->setText(0, student);
            studentItem->setFlags(studentItem->flags() & ~Qt::ItemIsEditable);

            // 创建学生属性节点
            QStringList attributes = { "语文", "数学", "英语", "性别" };
            for (const QString& attr : attributes) 
            {
                QTreeWidgetItem* attrItem = new QTreeWidgetItem(studentItem);
                attrItem->setText(0, attr);
                if (attr == "语文" || attr == "数学" || attr == "英语")
                {
                    attrItem->setText(1, "100");
                }
                else
                {
                    attrItem->setText(1, "男");
                }
                attrItem->setFlags(attrItem->flags() & ~Qt::ItemIsEditable);

                if (attr == "语文" || attr == "数学" || attr == "英语" || attr == "性别") 
                {
                    attrItem->setFlags(attrItem->flags() | Qt::ItemIsEditable);
                }
                else 
                {
                    attrItem->setFlags(attrItem->flags() & ~Qt::ItemIsEditable);
                }
            }
        }

        // 设置编辑策略
        m_delegate = new MyTreeWidgetDelegate(this);
        setItemDelegateForColumn(1, m_delegate);
        setEditTriggers(QAbstractItemView::DoubleClicked);

        // 连接信号槽
        QObject::connect(m_delegate, &MyTreeWidgetDelegate::valueChanged, [&](const QString& student, const QString& property, QVariant value)
            {
                if (property == "性别")
                {
                    qDebug() << "学生:" << student << "属性:" << property << "值:" << value.toString();
                }
                else
                {
                    qDebug() << "学生:" << student << "属性:" << property << "值:" << value.toDouble();
                }
            });
    }

protected:
    void mousePressEvent(QMouseEvent* event) override {
        QTreeWidgetItem* item = itemAt(event->pos());
        if (item && item->columnCount() > 1)
        {
            int column = columnAt(event->x());
            if (column == 1 && item->parent() && item->parent()->parent())
            {
                editItem(item, column);
                return;
            }
        }
        QTreeWidget::mousePressEvent(event);
    }
private:
    MyTreeWidgetDelegate* m_delegate;
};

int main(int argc, char* argv[]) {
    QApplication a(argc, argv);
    CustomTreeWidget w;
    w.setGeometry(QRect(40, 30, 241, 501));
    w.expandAll();
    w.show();
    return a.exec();
}

在这里插入图片描述

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:/a/935467.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

计算机视觉与医学的结合:推动医学领域研究的新机遇

目录 引言医学领域面临的发文难题计算机视觉与医学的结合&#xff1a;发展趋势计算机视觉结合医学的研究方向高区位参考文章结语 引言 计算机视觉&#xff08;Computer Vision, CV&#xff09;技术作为人工智能的重要分支&#xff0c;已经在多个领域取得了显著的应用成果&…

谷粒商城—分布式基础

1. 整体介绍 1)安装vagrant 2)安装Centos7 $ vagrant init centos/7 A `Vagrantfile` has been placed in this directory. You are now ready to `vagrant up` your first virtual environment! Please read the comments in the Vagrantfile as well as documentation on…

麒麟系统+达梦数据库+MybatisPlus+Redis+SpringBoot

环境准备 麒麟系统 在麒麟系统官网进行下载镜像 这里选择的是麒麟V10桌面版&#xff0c;使用虚拟机启动 修改root密码 # 启动到单用户模式 init 1 # 修改 root 密码 passwd root # 重启 reboot达梦数据库准备 进入达梦官网 我这里选择的是达梦数据库管理系统DM8开发版 下…

DFC:控制 ~~到达率~~ 最小化等待时间

DFC&#xff1a;控制 到达率 最小化等待时间 计算节点的等待成本&#xff1a;公式&#xff08;2&#xff09; ( λ i λ ( W q i C i μ c i ‾ ) ) (\frac{\lambda_i}{\lambda}(W_q^i C_i\overline{\mu_c^i})) (λλi​​(Wqi​Ci​μci​​)) 在这个到达率下的等待时间&am…

单词翻转

单词翻转 C语言实现C实现Java实现Python实现 &#x1f490;The Begin&#x1f490;点点关注&#xff0c;收藏不迷路&#x1f490; 输入一个句子&#xff08;一行&#xff09;&#xff0c;将句子中的每一个单词翻转后输出。 输入 只有一行&#xff0c;为一个字符串&#xff0c…

数据分析实战—房价特征关系

1.实战内容 &#xff08;1&#xff09; 读取房价特征关系表&#xff08;house_price.npz&#xff09;绘制离地铁站的距离与单位面积的房价的散点图&#xff0c;并对其进行分析&#xff1b; import pandas as pd import numpy as np import warnings warnings.filterwarnings(&…

网页502 Bad Gateway nginx1.20.1报错与解决方法

目录 网页报错的原理 查到的502 Bad Gateway报错的原因 出现的问题和尝试解决 问题 解决 网页报错的原理 网页显示502 Bad Gateway 报错原理是用户访问服务器时&#xff0c;nginx代理服务器接收用户信息&#xff0c;但无法反馈给服务器&#xff0c;而出现的报错。 查到…

Linux入门攻坚——41、Linux集群系统入门-lvs(2)

lvs-dr&#xff1a;GATEWAY Director只负责请求报文&#xff0c;响应报文不经过Director&#xff0c;直接由RS返回给Client。 lvs-dr的报文路线如上图&#xff0c;基本思路就是报文不会回送Director&#xff0c;第①种情况是VIP、DIP、RIP位于同一个网段&#xff0c;这样&…

【Python网络爬虫笔记】10- os库存储爬取数据

os库的作用 操作系统交互&#xff1a;os库提供了一种使用Python与操作系统进行交互的方式。使用os库来创建用于存储爬取数据的文件夹&#xff0c;或者获取当前工作目录的路径&#xff0c;以便将爬取的数据存储在合适的位置。环境变量操作&#xff1a;可以读取和设置环境变量。在…

在CentOS中安装和卸载mysql

在CentOS7中安装和卸载mysql 卸载mysql1、查看是否安装过mysql2、查看mysql服务状态3、关闭mysql服务4、卸载mysql相关的rpm程序5、删除mysql相关的文件6、删除mysql的配置文件my.cnf 安装mysql1、下载mysql相关的rpm程序2、检查/tmp临时目录权限3、安装mysql前的依赖检查3、安…

HDOJ 1735:字数统计 ← 贪心

【题目来源】https://acm.hdu.edu.cn/showproblem.php?pid1735【题目描述】 一天&#xff0c;淘气的 Tom 不小心将水泼到了他哥哥 Jerry 刚完成的作文上。原本崭新的作文纸顿时变得皱巴巴的&#xff0c;更糟糕的是由于水的关系&#xff0c;许多字都看不清了。可怜的 Tom 知道他…

zookeeper的安装

zookeeper的安装 一.前言 zookeeper开源组件是为分布式应用&#xff0c;提供协调服务的一种解决方案。本文主要是介绍在Centos7的操作系统中&#xff0c;如何以单机&#xff0c;伪集群&#xff0c;集群的方式来安装部署zookeeper服务。zookeeper要求的jdk版本为1.6以上。本文假…

keil5搜索框还有左侧文件状态栏不见的问题

点击上面的window&#xff0c;弹出 reset view to default &#xff0c;然后点击&#xff0c;再点击reset&#xff0c;就ok了

Python机器学习笔记(六、核支持向量机)

核支持向量机&#xff08;kernelized support vector machine&#xff09;简称SVM&#xff0c;支持向量机可以用于分类&#xff0c;也可以用于回归&#xff0c;分类在SVC中实现&#xff0c;回归在SVR中实现。 1. 线性模型与非线性特征 线性模型在低维空间中的应用非常受限&am…

线性表之单链表详解

一、概念 链表作为线性表的链式存储结构&#xff0c;将线性表L &#xff08;a0,...ai-1,ai,ai1...an-1) 中的各元素分布在存储器的不同存储块&#xff0c;称为结点。结点之间通过指针建立联系 其中&#xff1a;data作为数据域&#xff0c;next作为指针域&#xff0c;指向ai的直…

启明智显ZX7981PC:5G时代的新选择,全屋网络无缝覆盖

在这个飞速发展的5G时代&#xff0c;每一个细微的科技进步都在推动着我们的生活向更加智能、便捷的方向发展。近日&#xff0c;启明智显再次引领科技潮流&#xff0c;正式发布其最新的5G CPE产品——ZX7981PC。作为继7981PG与7981PM之后的又一次迭代升级&#xff0c;ZX7981PC凭…

ubuntu检测是否已安装nvidia驱动以及产品类型

nvidia-sminvidia-smi 是 NVIDIA 提供的一个命令行工具&#xff0c;用于查看和管理 NVIDIA GPU 的状态。当你运行 nvidia-smi 命令时&#xff0c;它会显示当前系统中所有 NVIDIA GPU 的状态信息&#xff0c;包括 GPU 的使用率、温度、内存使用情况等。 有8个GPU nvcc -V查看c…

Introduction to NoSQL Systems

What is NoSQL NoSQL database are no-tabular非數據表格 database that store data differently than relational tables 其數據的存儲方式與關係型表格不同 Database that provide a mechanism機制 for data storage retrieval 檢索 that is modelled in means other than …

Javaweb web后端maven介绍作用安装

自动导入到这个项目 src是源代码 main主程序&#xff0c;核心代码 java是Java源代码 resources是项目配置文件 test测试相关的 maven概述 介绍 依赖在本地仓库查找&#xff0c;如果本地仓库有&#xff0c;用本地仓库的依赖&#xff0c;本地没有&#xff0c;连接中央仓库&…

MinIO分布式文件存储

一、分布式文件系统 问题引出 对于一个网站系统&#xff0c;若为降低成本投入&#xff0c;将文件存储服务和网站系统部署在同一台服务器中&#xff0c;访问量不大&#xff0c;基本不会有问题&#xff0c;但访问量逐渐升高&#xff0c;网站文件资源读取逐渐频繁&#xff0c;单…