8

我使用QCompleterwith QLineEdit,我想QCompleter动态更新 's 模型。即模型的内容根据QLineEdit's text 更新。

1) mdict.h

#include <QtGui/QWidget>

class QLineEdit;
class QCompleter;
class QModelIndex;

class mdict : public QWidget
{
    Q_OBJECT

public:
    mdict(QWidget *parent = 0);
    ~mdict() {}

private slots:
    void on_textChanged(const QString &text);

private:
    QLineEdit *mLineEdit;
    QCompleter *mCompleter;
};

2) mdict.cpp

#include <cassert>
#include <QtGui>
#include "mdict.h"

mdict::mdict(QWidget *parent) : QWidget(parent), mLineEdit(0), mCompleter(0)
{
    mLineEdit = new QLineEdit(this);
    QPushButton *button = new QPushButton(this);
    button->setText("Lookup");

    QHBoxLayout *layout = new QHBoxLayout(this);
    layout->addWidget(mLineEdit);
    layout->addWidget(button);
    setLayout(layout);

    QStringList stringList;
    stringList << "m0" << "m1" << "m2";
    QStringListModel *model = new QStringListModel(stringList);
    mCompleter = new QCompleter(model, this);
    mLineEdit->setCompleter(mCompleter);

    mLineEdit->installEventFilter(this);

    connect(mLineEdit, SIGNAL(textChanged(const QString&)),
            this, SLOT(on_textChanged(const QString&)));
}

void mdict::on_textChanged(const QString &)
{
    QStringListModel *model = (QStringListModel*)(mCompleter->model());
    QStringList stringList;
    stringList << "h0" << "h1" << "h2";
    model->setStringList(stringList);
}

我希望当我输入时,它应该给我一个带有 ,和h的自动完成列表h0,并且我可以使用键盘来选择项目。但它的行为不像我预期的那样。h1h2

似乎应该在QLineEdit发出textChanged信号之前设置模型。一种方法是重新实现keyPressEvent,但它涉及到许多条件来获取QLineEdit' 的文本。

那么,我想知道是否有一种简单的方法可以QCompleter动态更新模型?

4

3 回答 3

5

哦,我找到了答案:

使用信号textEdited而不是textChanged.

调试QT的源码告诉了我答案。

于 2009-12-18T17:00:08.983 回答
2

你可以使用这样的东西:

Foo:Foo()
{
    ...
    QLineEdit* le_foodName = new QLineEdit(this);
    QCompleter* foodNameAutoComplete = new QCompleter(this);
    le_foodName->setCompleter(foodNameAutoComplete);

    updateFoodNameAutoCompleteModel();
    ...
}

// We call this function everytime you need to update completer
void Foo::updateFoodNameAutoCompleteModel()
{
    QStringListModel *model;
    model = (QStringListModel*)(foodNameAutoComplete->model());
    if(model==NULL)
        model = new QStringListModel();

    // Get Latest Data for your list here
    QStringList foodList = dataBaseManager->GetLatestFoodNameList() ;

    model->setStringList(foodList);
    foodNameAutoComplete->setModel(model);
}
于 2014-05-23T16:10:11.050 回答
1

使用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:42:32.160 回答