web-dev-qa-db-ja.com

QComboBox-アイテムのデータに基づいて選択したアイテムを設定します

enumベースの一意の値の事前定義リストからQTコンボボックスのアイテムを選択する最良の方法は何でしょうか。

過去に、選択したプロパティを選択するアイテムの値に設定することでアイテムを選択できる.NETの選択スタイルに慣れてきました。

cboExample.SelectedValue = 2;

データがC++列挙の場合、アイテムのデータに基づいてQTでこれを行う方法はありますか?

48
cweston

findData()を使用してデータの値を検索し、setCurrentIndex()を使用します

QComboBox* combo = new QComboBox;
combo->addItem("100",100.0);    // 2nd parameter can be any Qt type
combo->addItem .....

float value=100.0;
int index = combo->findData(value);
if ( index != -1 ) { // -1 for not found
   combo->setCurrentIndex(index);
}
97
Martin Beckett

QComboBoxのメソッドfindText(const QString text)もご覧ください。指定されたテキストを含む要素のインデックスを返します(見つからない場合は-1)。この方法を使用する利点は、アイテムを追加するときに2番目のパラメーターを設定する必要がないことです。

以下に小さな例を示します。

/* Create the comboBox */
QComboBox   *_comboBox = new QComboBox;

/* Create the ComboBox elements list (here we use QString) */
QList<QString> stringsList;
stringsList.append("Text1");
stringsList.append("Text3");
stringsList.append("Text4");
stringsList.append("Text2");
stringsList.append("Text5");

/* Populate the comboBox */
_comboBox->addItems(stringsList);

/* Create the label */
QLabel *label = new QLabel;

/* Search for "Text2" text */
int index = _comboBox->findText("Text2");
if( index == -1 )
    label->setText("Text2 not found !");
else
    label->setText(QString("Text2's index is ")
                   .append(QString::number(_comboBox->findText("Text2"))));

/* setup layout */
QVBoxLayout *layout = new QVBoxLayout(this);
layout->addWidget(_comboBox);
layout->addWidget(label);
22
Aloïké Go

選択するコンボボックス内のテキストがわかっている場合は、setCurrentText()メソッドを使用してその項目を選択するだけです。

ui->comboBox->setCurrentText("choice 2");

Qt 5.7ドキュメントから

セッターsetCurrentText()は、コンボボックスが編集可能な場合、単にsetEditText()を呼び出します。それ以外の場合、リストに一致するテキストがある場合、currentIndexは対応するインデックスに設定されます。

したがって、コンボボックスが編集可能でない限り、関数呼び出しで指定されたテキストがコンボボックスで選択されます。

リファレンス: http://doc.qt.io/qt-5/qcombobox.html#currentText-prop

3
Hard.Core.Coder