我想创建一个QComboBox
,允许您选择值或输入自己的值。它应该工作,以便如果您选择可编辑选项并输入文本,那将是该选项的文本。如果您选择其他,然后返回可编辑的文本,则您输入的文本应该保留。
我已经取得了一些进展。它看起来像这样:
我使用事件过滤器实现了这个目的:
class MagicComboBoxEventFilter : public QObject {
public:
explicit MagicComboBoxEventFilter(QObject* parent=0) :
QObject(parent),
parentBox(nullptr),
lastValue(""),
editableIndex(-1)
{
parentBox = dynamic_cast<QComboBox*>(parent);
if(parentBox) {
connect(parentBox, static_cast<void (QComboBox::*)(int)>(&QComboBox::currentIndexChanged),
this, &MagicComboBoxEventFilter::currentIndexChanged);
}
public slots:
void currentIndexChanged(int index) {
// Item data entry is unused, so I used it to determine
// the editable field from others
bool editable = parentBox->itemData(index).toInt()==666;
parentBox->setEditable(editable);
}
private:
QComboBox* parentBox;
};
这适用于新的组合框:
QComboBox* comboBox = new QComboBox(this);
comboBox->setEditable(false);
new MagicComboBoxEventFilter(comboBox);
我面临的问题是即使用户选择其他项目,如何保持可编辑的值。我尝试连接可编辑的文本更改事件,这是我的增强型事件过滤器。我不会重复整个类代码,只有其他的东西是现在在构造函数中有额外的connect
调用:
public slots:
void currentIndexChanged(int index) {
bool editable = parentBox->itemData(index).toInt()==666;
parentBox->setEditable(editable);
// If editable field selected, restore the last value entered
if(editable) {
parentBox->setItemText(index, lastValue);
}
}
// slot connected in constructor
void editTextChanged(const QString& text) {
lastValue = text;
}
private:
QComboBox* parentBox;
// Last string value the editable field had
// qt doesn't remember that
QString lastValue;
问题在于,当用户选择其他项目 editTextChanged在currentIndexChanged 之前触发时,我最终在lastValue
中找到所选项目的文本,而不是最后输入的文本。
如何解决这个问题?我真的很努力,我需要一些帮助。
答案 0 :(得分:0)
嗯,我想要同样的东西,但是我认为这很容易(抱歉,python语法):
class EditableComboBox(QComboBox):
def __init__(self):
QComboBox.__init__(self)
self.currentIndexChanged.connect(self.fix)
self.setInsertPolicy(QComboBox.InsertAtCurrent)
def fix(self, index):
if (self.currentData() == '----'):
self.setEditable(True)
else:
self.setEditable(False)
基本上,只需将insertPolicy
设置为InsertAtCurrent
并通过设置currentIndexChanged
属性对每个editable
做出反应。我使用----
作为可编辑字段的标记,并设置了以下项目:
cb = EditableComboBox()
cb.addItem('', '----')
cb.addItem('One', '1')
cb.addItem('Two', '2')
cb.addItem('Three', '3')
PS。更改文字时,必须按Enter键才能粘贴,否则,如果选择其他项目,文字将会丢失。