我想通过模型和委托插入QComboBox
(而不是字符串)来自定义QWidgets
:
QComboBox *cb = new QComboBox(this);
FeatureModel *featureModel = new FeatureModel(cb);
cb->setModel(featureModel);
ComboBoxItemDelegate *comboBoxItemDelegate = new ComboBoxItemDelegate(cb);
cb->setItemDelegate(comboBoxItemDelegate);
FeatureModel继承自QAbstractListModel,ComboBoxItemDelegate继承自QStyledItemDelegate。
问题是委托方法永远不会被调用,因此我的自定义窗口小部件没有被插入(我只看到FeatureModel
的字符串)。
但是,如果我使用QTableView
代替QComboBox
,则可以正常使用。
有人知道错误所在吗? 我是否遗漏了QT 模型/视图概念的一些重要方面?
修改 这是我的代表。 除了构造函数(当然)之外,没有调用以下方法(控制台上没有输出)。
ComboBoxItemDelegate::ComboBoxItemDelegate(QObject *parent) :
QStyledItemDelegate(parent)
{
qDebug() << "Constructor ComboBoxItemDelegate";
}
ComboBoxItemDelegate::~ComboBoxItemDelegate()
{
}
QWidget* ComboBoxItemDelegate::createEditor( QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index ) const
{
qDebug() << "createEditor"; // never called
QWidget *widget = new QWidget(parent);
Ui::ComboBoxItem cbi;
cbi.setupUi(widget);
cbi.label->setText(index.data().toString());
widget->show();
return widget;
}
void ComboBoxItemDelegate::setEditorData ( QWidget *editor, const QModelIndex &index ) const
{
qDebug() << "setEditorData"; // never called
}
void ComboBoxItemDelegate::setModelData ( QWidget *editor, QAbstractItemModel *model, const QModelIndex &index ) const
{
qDebug() << "setModelData"; // never called
}
答案 0 :(得分:2)
我想我发现了问题。
首先,确保QComboBox
中的视图允许编辑:
cb->view()->setEditTriggers(QAbstractItemView::AllEditTriggers);
我不确定这是不是一个好习惯,但这是我能让它发挥作用的唯一方法。 editTriggers
的默认值为QAbstractItemView::NoEditTriggers
其次,确保您的模型允许编辑:
Qt::ItemFlags MyModel::flags(const QModelIndex &index) const
{
if (!index.isValid())
return Qt::ItemIsEnabled;
return QAbstractItemModel::flags(index) | Qt::ItemIsEditable;
}
bool MyModel::setData(const QModelIndex &index,
const QVariant &value, int role)
{
if (index.isValid() && role == Qt::EditRole) {
// Modify data..
emit dataChanged(index, index);
return true;
}
return false;
}
但是有一个问题。第一次看到ComboBox
时,您可以更改当前项目文本,并且不会调用委托方法进行编辑。您必须选择一个项目,然后您才能编辑它。
无论如何,我发现使用QComboBox
进行可编辑的项目是违反直觉的。您确定此任务需要QComboBox
吗?
希望有所帮助