这是Model/View中的最后一篇了,Qt官方显然弱化了Controller在MVC中的做用,提供了一个简化版的Delegate;甚至在Model/View框架的使用中,提供了默认的委托,让这个控制器越发淡出开发者的实现。git
实际上,Qt Model/View框架中的MVC概念是有误的,显而易见的就是Controller的做用,控制器应该只对交互进行控制,渲染方面的工做应该仅由View完成,但Delegate的接口中却包含了这一块。不过这都不是这篇文章的重点,咱们只关注Delegate自己。github
这里咱们也来实现一个自定义Delegate,怀着了解Delegate的目的,主要实现如下几个功能:框架
以不一样颜色绘制View。
双击View方格区域弹出行编辑器,默认覆盖这个区域,显示字母。
输入行编辑器内的内容会被保存,下次点开显示。
鼠标停留,显示提示框。
Qt提供了几个标准的委托:dom
QItemDelegate:Qt**曾经**默认使用的委托。
QStyledItemDelegate。:**如今**默认使用的委托,官方推荐咱们使用这个。(自从Qt 4.4)
为了熟悉委托借口,咱们继承虚基类QAbstractItemDelegate来实现咱们的自定义委托。编辑器
出去虚析构函数,QAbstractItemDelegate总共有9个虚函数,下面分别介绍。函数
paint()
函数用来重绘view。咱们这里选择用随机颜色填充背景:this
void CustomeDelegate::paint(QPainter *painter, const QStyleOptionViewItem &option, const QModelIndex &index) const { if (!index.isValid() || option.state == QStyle::State_None || !index.isValid()) return; painter->fillRect(option.rect, QColor(m_randomColor(m_generator))); }
createEditor()
和destroyEditor()
的用途很是明显,双击View的时候会弹出一个行编辑器:code
QWidget* CustomeDelegate::createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index) const { return new QLineEdit(parent); } void CustomeDelegate::destroyEditor(QWidget *editor, const QModelIndex &index) const { Q_ASSERT(dynamic_cast<QLineEdit*>(editor) != 0); delete dynamic_cast<QLineEdit*>(editor); }
helpEvent()
表示帮助事件,当发生QEvent::ToolTip
或者QEvent::WhatsThis
事件的时候,就会调用这个函数,咱们这里根据事件不一样显示不一样内容的Tool Tip:blog
bool CustomeDelegate::helpEvent(QHelpEvent *event, QAbstractItemView *view, const QStyleOptionViewItem &option, const QModelIndex &index) { if (event->type() == QEvent::ToolTip) { QToolTip::showText(QCursor::pos(), QString("CustomeDelegate Tooltip"), reinterpret_cast<QWidget*>(view), option.rect, 1000); } else if (event->type() == QEvent::WhatsThis) { QToolTip::showText(QCursor::pos(), QString("CustomeDelegate Whatsthis"), reinterpret_cast<QWidget*>(view), option.rect, 1000); } return true; }
当Editor显示的时候,会调用setEditorData()
这个函数来显示默认的文字:继承
void CustomeDelegate::setEditorData(QWidget *editor, const QModelIndex &index) const { dynamic_cast<QLineEdit*>(editor)->setText(index.data(Qt::DisplayRole).toString()); }
setModelData()
这个函数用来更新Model中的数据:
void CustomeDelegate::setModelData(QWidget *editor, QAbstractItemModel *model, const QModelIndex &index) const { model->setData(index, dynamic_cast<QLineEdit*>(editor)->text(), Qt::DisplayRole); }
updateEditorGeometry()
这个函数也会在Editor显示的时候被调用,双击不一样方格时,咱们用它来更新编辑器的位置和大小:
void CustomeDelegate::updateEditorGeometry(QWidget *editor, const QStyleOptionViewItem &option, const QModelIndex &index) const { dynamic_cast<QLineEdit*>(editor)->setFixedSize(option.rect.width(), option.rect.height()); dynamic_cast<QLineEdit*>(editor)->move(option.rect.topLeft()); }
完整代码见此处。