24

我正在使用 Qt4.6,我有一个 QComboBox,里面有一个 QCompleter。

通常的功能是基于前缀提供完成提示(这些可以在下拉列表中而不是内联 - 这是我的用法)。例如,给定

chicken soup
chilli peppers
grilled chicken

输入ch将匹配chicken soupchilli peppers但不匹配grilled chicken

我想要的是能够输入ch并匹配所有这些,或者更具体地说,chicken匹配chicken soupand grilled chicken
我还希望能够分配一个标签chschicken soup生成另一个匹配,而不仅仅是在文本内容上。我可以处理算法,但是,

我需要重写 QCompleter 的哪些函数?
我不确定我应该在哪里寻找......

4

6 回答 6

12

根据@j3frea 的建议,这里是一个工作示例(使用PySide)。splitPath似乎每次调用时都需要设置模型(设置代理一次setModel不起作用)。

combobox.setEditable(True)
combobox.setInsertPolicy(QComboBox.NoInsert)

class CustomQCompleter(QCompleter):
    def __init__(self, parent=None):
        super(CustomQCompleter, self).__init__(parent)
        self.local_completion_prefix = ""
        self.source_model = None

    def setModel(self, model):
        self.source_model = model
        super(CustomQCompleter, self).setModel(self.source_model)

    def updateModel(self):
        local_completion_prefix = self.local_completion_prefix
        class InnerProxyModel(QSortFilterProxyModel):
            def filterAcceptsRow(self, sourceRow, sourceParent):
                index0 = self.sourceModel().index(sourceRow, 0, sourceParent)
                return local_completion_prefix.lower() in self.sourceModel().data(index0).lower()
        proxy_model = InnerProxyModel()
        proxy_model.setSourceModel(self.source_model)
        super(CustomQCompleter, self).setModel(proxy_model)

    def splitPath(self, path):
        self.local_completion_prefix = path
        self.updateModel()
        return ""


completer = CustomQCompleter(combobox)
completer.setCompletionMode(QCompleter.PopupCompletion)
completer.setModel(combobox.model())

combobox.setCompleter(completer)
于 2011-10-14T13:03:29.093 回答
9

基于@Bruno 的答案,我正在使用标准QSortFilterProxyModel函数setFilterRegExp来更改搜索字符串。这样就不需要子分类了。

它还修复了@Bruno 的答案中的一个错误,一旦输入字符串在键入时用退格键更正,建议就会由于某些原因消失。

class CustomQCompleter(QtGui.QCompleter):
    """
    adapted from: http://stackoverflow.com/a/7767999/2156909
    """
    def __init__(self, *args):#parent=None):
        super(CustomQCompleter, self).__init__(*args)
        self.local_completion_prefix = ""
        self.source_model = None
        self.filterProxyModel = QtGui.QSortFilterProxyModel(self)
        self.usingOriginalModel = False

    def setModel(self, model):
        self.source_model = model
        self.filterProxyModel = QtGui.QSortFilterProxyModel(self)
        self.filterProxyModel.setSourceModel(self.source_model)
        super(CustomQCompleter, self).setModel(self.filterProxyModel)
        self.usingOriginalModel = True

    def updateModel(self):
        if not self.usingOriginalModel:
            self.filterProxyModel.setSourceModel(self.source_model)

        pattern = QtCore.QRegExp(self.local_completion_prefix,
                                QtCore.Qt.CaseInsensitive,
                                QtCore.QRegExp.FixedString)

        self.filterProxyModel.setFilterRegExp(pattern)

    def splitPath(self, path):
        self.local_completion_prefix = path
        self.updateModel()
        if self.filterProxyModel.rowCount() == 0:
            self.usingOriginalModel = False
            self.filterProxyModel.setSourceModel(QtGui.QStringListModel([path]))
            return [path]

        return []

class AutoCompleteComboBox(QtGui.QComboBox):
    def __init__(self, *args, **kwargs):
        super(AutoCompleteComboBox, self).__init__(*args, **kwargs)

        self.setEditable(True)
        self.setInsertPolicy(self.NoInsert)

        self.comp = CustomQCompleter(self)
        self.comp.setCompletionMode(QtGui.QCompleter.PopupCompletion)
        self.setCompleter(self.comp)#
        self.setModel(["Lola", "Lila", "Cola", 'Lothian'])

    def setModel(self, strList):
        self.clear()
        self.insertItems(0, strList)
        self.comp.setModel(self.model())

    def focusInEvent(self, event):
        self.clearEditText()
        super(AutoCompleteComboBox, self).focusInEvent(event)

    def keyPressEvent(self, event):
        key = event.key()
        if key == 16777220:
            # Enter (if event.key() == QtCore.Qt.Key_Enter) does not work
            # for some reason

            # make sure that the completer does not set the
            # currentText of the combobox to "" when pressing enter
            text = self.currentText()
            self.setCompleter(None)
            self.setEditText(text)
            self.setCompleter(self.comp)

        return super(AutoCompleteComboBox, self).keyPressEvent(event)

更新:

我认为我以前的解决方案一直有效,直到组合框中的字符串与列表项都不匹配。然后QFilterProxyModel是空的,这反过来又重置text了组合框的。我试图找到一个优雅的解决方案来解决这个问题,但是每当我尝试在self.filterProxyModel. 所以现在的技巧是在self.filterProxyModel模式更新时设置每次新的模型。并且每当模式不再与模型中的任何内容匹配时,为其提供一个仅包含当前文本(又名pathin splitPath)的新模型。如果您正在处理非常大的模型,这可能会导致性能问题,但对我来说,hack 效果很好。

更新 2:

我意识到这仍然不是一个完美的方法,因为如果在组合框中输入了一个新字符串并且用户按下回车键,组合框就会再次被清除。输入新字符串的唯一方法是在键入后从下拉菜单中选择它。

更新 3:

现在也输入作品。我解决了组合框文本的重置问题,只需在用户按下回车键时将其关闭即可。但是我把它放回去了,所以完成功能仍然存在。如果用户决定进行进一步的编辑。

于 2014-10-18T13:19:56.567 回答
8

使用filterMode : Qt::MatchFlags财产。此属性保存如何执行过滤。如果 filterMode 设置为Qt::MatchStartsWith,则仅显示以键入的字符开头的条目。Qt::MatchContains将显示包含输入字符的条目,以及Qt::MatchEndsWith以输入字符结尾的条目。目前只实现了这三种模式。将 filterMode 设置为任何其他Qt::MatchFlag都将发出警告,并且不会执行任何操作。默认模式是Qt::MatchStartsWith.

这个属性是在 Qt 5.2 中引入的。

访问功能:

Qt::MatchFlags  filterMode() const
void    setFilterMode(Qt::MatchFlags filterMode)
于 2015-01-29T12:41:01.880 回答
2

感谢 Thorbjørn,我实际上确实通过继承来解决了这个问题QSortFilterProxyModel

filterAcceptsRow方法必须被覆盖,然后根据您是否希望显示该项目,您只需返回 true 或 false。

此解决方案的问题在于它仅隐藏列表中的项目,因此您永远无法重新排列它们(这是我想要为某些项目提供优先级的操作)。

[编辑]
我想我会把它扔到解决方案中,因为它[基本上]是我最终做的(因为上述解决方案还不够)。我用http://www.cppblog.com/biao/archive/2009/10/31/99873.html

#include "locationlineedit.h"
#include <QKeyEvent>
#include <QtGui/QListView>
#include <QtGui/QStringListModel>
#include <QDebug>

LocationLineEdit::LocationLineEdit(QStringList *words, QHash<QString, int> *hash, QVector<int> *bookChapterRange, int maxVisibleRows, QWidget *parent)
: QLineEdit(parent), words(**&words), hash(**&hash)
{
listView = new QListView(this);
model = new QStringListModel(this);
listView->setWindowFlags(Qt::ToolTip);

connect(this, SIGNAL(textChanged(const QString &)), this, SLOT(setCompleter(const QString &)));
connect(listView, SIGNAL(clicked(const QModelIndex &)), this, SLOT(completeText(const QModelIndex &)));

this->bookChapterRange = new QVector<int>;
this->bookChapterRange = bookChapterRange;
this->maxVisibleRows = &maxVisibleRows;

listView->setModel(model);
}

void LocationLineEdit::focusOutEvent(QFocusEvent *e)
{
listView->hide();
QLineEdit::focusOutEvent(e);
}
void LocationLineEdit::keyPressEvent(QKeyEvent *e)
{
int key = e->key();
if (!listView->isHidden())
{
    int count = listView->model()->rowCount();
    QModelIndex currentIndex = listView->currentIndex();

    if (key == Qt::Key_Down || key == Qt::Key_Up)
    {
    int row = currentIndex.row();
    switch(key) {
    case Qt::Key_Down:
        if (++row >= count)
        row = 0;
        break;
    case Qt::Key_Up:
        if (--row < 0)
        row = count - 1;
        break;
    }

    if (listView->isEnabled())
    {
        QModelIndex index = listView->model()->index(row, 0);
        listView->setCurrentIndex(index);
    }
    }
    else if ((Qt::Key_Enter == key || Qt::Key_Return == key || Qt::Key_Space == key) && listView->isEnabled())
    {
    if (currentIndex.isValid())
    {
        QString text = currentIndex.data().toString();
        setText(text + " ");
        listView->hide();
        setCompleter(this->text());
    }
    else if (this->text().length() > 1)
    {
        QString text = model->stringList().at(0);
        setText(text + " ");
        listView->hide();
        setCompleter(this->text());
    }
    else
    {
        QLineEdit::keyPressEvent(e);
    }
    }
    else if (Qt::Key_Escape == key)
    {
    listView->hide();
    }
    else
    {
    listView->hide();
    QLineEdit::keyPressEvent(e);
    }
}
else
{
    if (key == Qt::Key_Down || key == Qt::Key_Up)
    {
    setCompleter(this->text());

    if (!listView->isHidden())
    {
        int row;
        switch(key) {
        case Qt::Key_Down:
        row = 0;
        break;
        case Qt::Key_Up:
        row = listView->model()->rowCount() - 1;
        break;
        }
        if (listView->isEnabled())
        {
        QModelIndex index = listView->model()->index(row, 0);
        listView->setCurrentIndex(index);
        }
    }
    }
    else
    {
    QLineEdit::keyPressEvent(e);
    }
}
}

void LocationLineEdit::setCompleter(const QString &text)
{
if (text.isEmpty())
{
    listView->hide();
    return;
}
/*
This is there in the original but it seems to be bad for performance
(keeping listview hidden unnecessarily - havn't thought about it properly though)
*/
//    if ((text.length() > 1) && (!listView->isHidden()))
//    {
//        return;
//    }


model->setStringList(filteredModelFromText(text));


if (model->rowCount() == 0)
{
    return;
}

int maxVisibleRows = 10;
// Position the text edit
QPoint p(0, height());
int x = mapToGlobal(p).x();
int y = mapToGlobal(p).y() + 1;
listView->move(x, y);
listView->setMinimumWidth(width());
listView->setMaximumWidth(width());
if (model->rowCount() > maxVisibleRows)
{
    listView->setFixedHeight(maxVisibleRows * (listView->fontMetrics().height() + 2) + 2);
}
else
{
    listView->setFixedHeight(model->rowCount() * (listView->fontMetrics().height() + 2) + 2);
}
listView->show();
}

//Basically just a slot to connect to the listView's click event
void LocationLineEdit::completeText(const QModelIndex &index)
{
QString text = index.data().toString();
setText(text);
listView->hide();
}

QStringList LocationLineEdit::filteredModelFromText(const QString &text)
{
QStringList newFilteredModel;

    //do whatever you like and fill the filteredModel

return newFilteredModel;
}
于 2011-03-26T15:15:15.943 回答
1

不幸的是,目前的答案是不可能。为此,您需要在自己的应用程序中复制QCompleter的大部分功能(Qt Creator 为其 Locator 执行此操作,src/plugins/locator/locatorwidget.cpp如果您有兴趣,请参阅魔法)。

同时,您可以对QTBUG-7830进行投票,这是关于可以自定义完成项目的匹配方式,如您所愿。但不要屏住呼吸。

于 2011-03-24T23:46:41.970 回答
0

如上所述,您可以通过提供自定义角色并完成该角色来绕过 QTBUG-7830。在该角色的处理程序中,您可以使用技巧让 QCompleter 知道该项目在那里。如果您还在 SortFilterProxy 模型中覆盖 filterAcceptsRow,这将起作用。

于 2015-01-30T16:09:12.823 回答