IscanderChe
IscanderCheJune 21, 2019, 4:09 p.m.

QSqlTableModel + QTableView + кастомный делегат QComboBox

Пытаюсь реализовать кастомного делегата на основе QComboBox. Получилось отчасти.
1) При щелчке на ячейке в колонке с делегатом (у меня это колонка 4, status) комбобокс появляется, а хотелось бы, чтобы он был виден всегда.
2) При загрузке виджета, если строк в таблице несколько, только в последней строке заполнена колонка status. Надо, чтоб показывались все.
3) Если щелкнуть на ячейке колонки status, где установлено значение "green", а потом перейти на другую ячейку, то значение предыдущей ячейки сбрасывается на значение "white". Должны сохраняться предыдущие установленные значения.

#include "comboboxdelegate.h"
#include <QComboBox>

ComboBoxDelegate::ComboBoxDelegate(QObject* parent)
{

}

QWidget* ComboBoxDelegate::createEditor(QWidget* parent,
    const QStyleOptionViewItem& option, const QModelIndex& index) const
{
    if(index.column() == 4)
    {
        QComboBox* editor = new QComboBox(parent);
        editor->insertItem(0, "white");
        editor->insertItem(1, "green");
        return editor;
    }

    return QStyledItemDelegate::createEditor(parent, option, index);
}

void ComboBoxDelegate::setEditorData(QWidget* editor, const QModelIndex& index) const
{
    if(index.column() == 4)
    {
        QString value = index.model()->data(index, Qt::EditRole).toString();
        QComboBox* comboBox = static_cast<QComboBox*>(editor);
        if(value == "white")
            comboBox->setCurrentIndex(0);
        else if(value == "green")
            comboBox->setCurrentIndex(1);
    }
}

void ComboBoxDelegate::setModelData(QWidget* editor, QAbstractItemModel* model,
                                    const QModelIndex& index) const
{
    if(index.column() == 4)
    {
        QComboBox* comboBox = static_cast<QComboBox*>(editor);
        QString value = comboBox->currentData().toString();
        model->setData(index, value, Qt::EditRole);
    }
}

void ComboBoxDelegate::updateEditorGeometry(QWidget* editor,
    const QStyleOptionViewItem& option, const QModelIndex& index) const
{
    editor->setGeometry(option.rect);
}
We recommend hosting TIMEWEB
We recommend hosting TIMEWEB
Stable hosting, on which the social network EVILEG is located. For projects on Django we recommend VDS hosting.

Do you like it? Share on social networks!

31
Evgenii Legotckoi
  • June 24, 2019, 3:41 p.m.

Добрый день!

А можете ещё прикрепить какой-нибудь пробный проект с этим делегатом? Я бы вечером глянул после работы, что там, да как.

    IscanderChe
    • June 24, 2019, 7:19 p.m.
    // widget.cpp
    
    #include "widget.h"
    #include <QTableView>
    #include <QVBoxLayout>
    #include "checkboxdelegate.h"
    #include "comboboxdelegate.h"
    #include "mytableview.h"
    #include <QSqlDatabase>
    #include <QDebug>
    #include <QSqlQuery>
    #include <QSqlError>
    #include <QDate>
    #include <QTime>
    #include <QSqlRecord>
    #include <QApplication>
    
    Widget::Widget(QWidget *parent)
        : QWidget(parent)
    {
        // Setup UI
        MyTableView* tableView = new MyTableView();
        QVBoxLayout* layout = new QVBoxLayout;
        layout->addWidget(tableView);
        setLayout(layout);
    
        QSqlDatabase db = QSqlDatabase::addDatabase("QSQLITE");
        db.setHostName("localhost");
        QString dbName = qApp->applicationDirPath() + "/db.db";
        db.setDatabaseName(dbName);
    
        if(db.open())
            qDebug() << "DB opened";
        else
            qDebug() << "DB don't opened";
    
        QSqlQuery query_tbl;
        if(!query_tbl.exec( "CREATE TABLE IF NOT EXISTS tbl ("
                                    "id INTEGER PRIMARY KEY AUTOINCREMENT, "
                                    "flag INTEGER, "
                                    "timeone TIME NOT NULL, "
                                    "timetwo TIME NOT NULL, "
                                    "status TEXT"
                                    ")"
                          )
          )
        {
            qDebug() << "Error of create table";
            qDebug() << query_tbl.lastError().text();
        }
        else
            qDebug() << "Created table";
    
        QVariantList data;
        int flag = 1;
        data.append(flag);
        data.append(QTime::currentTime());
        data.append(QTime::currentTime());
        QString status = "green";
        data.append(status);
        qDebug() << data;
    
        QSqlQuery query_ins;
        query_ins.prepare("INSERT INTO tbl (flag, timeone, timetwo, status) "
                          "VALUES (:Flag, :TimeOne, :TimeTwo, :Status)"
                          );
        query_ins.bindValue(":Flag", data.at(0).toInt());
        query_ins.bindValue(":TimeOne", data.at(1).toTime());
        query_ins.bindValue(":TimeTwo", data.at(2).toTime());
        query_ins.bindValue(":Status", data.at(3).toString());
    
        if(!query_ins.exec())
        {
            qDebug() << "error insert into table";
            qDebug() << query_ins.lastError().text();
        }
        else
            qDebug() << "inserted row";
    
        model = new MySqlTableModel;
        model->setTable("tbl");
    
        tableView->setModel(model);
    
        CheckBoxDelegate* checkBoxDelegate = new CheckBoxDelegate;
        tableView->setItemDelegateForColumn(1, checkBoxDelegate);
    
        ComboBoxDelegate* comboBoxDelegate = new ComboBoxDelegate;
        tableView->setItemDelegateForColumn(4, comboBoxDelegate);
    
        tableView->resizeColumnToContents(1);
    
        model->select();
    
        connect(tableView, SIGNAL(clickToCheck(QModelIndex)), this, SLOT(changeStateCheckBox(QModelIndex)));
    }
    
    Widget::~Widget()
    {
    
    }
    
    void Widget::changeStateCheckBox(QModelIndex index)
    {
        int state = index.model()->data(index).toBool();
        QVariant value = !state;
        model->setData(index, value);
    }
    
    
      Evgenii Legotckoi
      • June 25, 2019, 1:33 p.m.

      1) Насчёт того, чтобы делегат был виден всегда. Можете попробовать переопределить метод paint у делегата

      void MyDelegate::paint(QPainter *painter, const QStyleOptionViewItem &option, const QModelIndex &index) const
      {
          if (index.column() == 1) // show combobox only in the second column
          {
              QStyleOptionComboBox box;
              box.state = option.state;
      
              box.rect = option.rect;
              box.currentText = index.data(Qt::EditRole).toString();
      
              QApplication::style()->drawComplexControl(QStyle::CC_ComboBox, &box, painter, 0);
              QApplication::style()->drawControl(QStyle::CE_ComboBoxLabel, &box, painter, 0);
              return;
          }
          QStyledItemDelegate::paint(painter, option, index);
      }
      

      Что-то наподобие такого, только перепишите в рамках вашего делегата.

      2) Немного не понял

      3) Не уверен, но возможно, что нужно поработать ещё немного с самой моделью данных.

        IscanderChe
        • June 25, 2019, 3:26 p.m.

        По пункту 1 - да, всё получилось, спасибо. Я почти дошёл до этого, но переопределял paint не совсем правильно.

        По пункту 2 - картинка в прицепе. Для первых двух комбобоксов значения менялись с их же помощью, для следующих двух значения предустановлены программно.
        По пункту 3 - возможно, что надо задействовать модель, я только пока не понимаю, как. Сейчас у меня там кроме формата отображения дат больше ничего нет.

          IscanderChe
          • June 25, 2019, 4:55 p.m.

          По пункту 3 попытался переписать метод setData. В итоге комбобокс перестал работать.

          bool MySqlTableModel::setData(const QModelIndex& index, const QVariant& value, int /* role */)
          {
              bool ok = true;
              if(index.column() == 4)
              {
                  QModelIndex primaryKeyIndex = QSqlTableModel::index(index.row(), 0);
                  int id = QSqlTableModel::data(primaryKeyIndex).toInt();
                  QSqlQuery query;
                  query.prepare("UPDATE tbl SET status = ? WHERE id = ?");
                  query.addBindValue(value.toString());
                  query.addBindValue(id);
                  ok = query.exec();
                  select();
              }
          
              return ok;
          }
          
            IscanderChe
            • June 26, 2019, 7:35 p.m.
            • The answer was marked as a solution.

            В общем, полностью переписал код, получилось вот что:

            // widget.h
            
            #ifndef WIDGET_H
            #define WIDGET_H
            
            #include <QWidget>
            #include <QSqlTableModel>
            
            class Widget : public QWidget
            {
                Q_OBJECT
            
            public:
                Widget(QWidget *parent = 0);
                ~Widget();
            
            private:
                QSqlTableModel* model;
            };
            
            #endif // WIDGET_H
            
            // widget.cpp
            
            #include "widget.h"
            #include "comboboxdelegate.h"
            #include <QTableView>
            #include <QVBoxLayout>
            #include <QSqlDatabase>
            #include <QDebug>
            #include <QSqlQuery>
            #include <QSqlError>
            #include <QTime>
            #include <QSqlRecord>
            #include <QApplication>
            
            Widget::Widget(QWidget *parent)
                : QWidget(parent)
            {
                QTableView* tableView = new QTableView;
                QVBoxLayout* layout = new QVBoxLayout;
                layout->addWidget(tableView);
                setLayout(layout);
            
                QSqlDatabase db = QSqlDatabase::addDatabase("QSQLITE");
                db.setHostName("localhost");
                QString dbName = qApp->applicationDirPath() + "/db.db";
                db.setDatabaseName(dbName);
            
                if(db.open())
                    qDebug() << "DB opened";
                else
                    qDebug() << "DB don't opened";
            
                QSqlQuery query_tbl;
                if(!query_tbl.exec( "CREATE TABLE IF NOT EXISTS tbl ("
                                            "id INTEGER PRIMARY KEY AUTOINCREMENT, "
                                            "timeone TIME NOT NULL, "
                                            "timetwo TIME NOT NULL, "
                                            "status TEXT"
                                            ")"
                                  )
                  )
                {
                    qDebug() << "Error of create table";
                    qDebug() << query_tbl.lastError().text();
                }
                else
                    qDebug() << "Created table";
            
                QVariantList data;
                data.append(QTime::currentTime());
                data.append(QTime::currentTime());
                QString color = "white";
                data.append(color);
                qDebug() << data;
            
                QSqlQuery query_ins;
                query_ins.prepare("INSERT INTO tbl (timeone, timetwo, status) "
                                  "VALUES (:TimeOne, :TimeTwo, :Status)"
                                  );
                query_ins.bindValue(":TimeOne", data.at(0).toTime());
                query_ins.bindValue(":TimeTwo", data.at(1).toTime());
                query_ins.bindValue(":Status", data.at(2).toString());
            
                if(!query_ins.exec())
                {
                    qDebug() << "error insert into table";
                    qDebug() << query_ins.lastError().text();
                }
                else
                    qDebug() << "inserted row";
            
                model = new QSqlTableModel;
                model->setTable("tbl");
            
                tableView->setModel(model);
            
                ComboBoxDelegate* delegate = new ComboBoxDelegate;
                tableView->setItemDelegateForColumn(3, delegate);
            
                model->select();
            }
            
            Widget::~Widget()
            {
            
            }
            
            // comboboxdelegate.h
            
            #ifndef COMBOBOXDELEGATE_H
            #define COMBOBOXDELEGATE_H
            
            #include <QStyledItemDelegate>
            
            class ComboBoxDelegate : public QStyledItemDelegate
            {
                Q_OBJECT
            
            public:
                ComboBoxDelegate();
            
                QWidget* createEditor(QWidget *parent, const QStyleOptionViewItem &option,
                                      const QModelIndex &index) const override;
            
                void setEditorData(QWidget* editor, const QModelIndex& index) const override;
            
                void setModelData(QWidget *editor, QAbstractItemModel *model,
                                  const QModelIndex &index) const override;
            
                void updateEditorGeometry(QWidget *editor,
                        const QStyleOptionViewItem &option, const QModelIndex &index) const override;
            
                void paint(QPainter* painter,
                    const QStyleOptionViewItem& option, const QModelIndex& index) const override;
            };
            
            #endif // COMBOBOXDELEGATE_H
            
            // comboboxdelegate.cpp
            
            #include "comboboxdelegate.h"
            #include <QComboBox>
            #include <QApplication>
            #include <QSqlQuery>
            #include <QSqlTableModel>
            
            ComboBoxDelegate::ComboBoxDelegate()
            {
            
            }
            
            QWidget* ComboBoxDelegate::createEditor(QWidget *parent,
                                                    const QStyleOptionViewItem &option,
                                                    const QModelIndex &index) const
            {
                QComboBox* comboBox = new QComboBox(parent);
                QPair<QString, int> pair;
                QList<QPair<QString, int> > dataList;
                pair.first = "white";
                pair.second = 0;
                dataList << pair;
                pair.first = "yellow";
                pair.second = 1;
                dataList << pair;
                pair.first = "green";
                pair.second = 2;
                dataList << pair;
            
                for(int i = 0; i < dataList.size(); ++i)
                {
                    QPair<QString, int> item = dataList.at(i);
                    comboBox->addItem(item.first, item.second);
                }
            
                comboBox->setCurrentIndex(0);
            
                return comboBox;
            }
            
            void ComboBoxDelegate::setEditorData(QWidget *editor, const QModelIndex &index) const
            {
                if(index.column() == 3)
                {
                    QString value = index.model()->data(index, Qt::EditRole).toString();
                    QComboBox* comboBox = static_cast<QComboBox*>(editor);
                    if(value == "white")
                        comboBox->setCurrentIndex(0);
                    else if(value == "yellow")
                        comboBox->setCurrentIndex(1);
                    else if(value == "green")
                        comboBox->setCurrentIndex(2);
                }
            }
            
            void ComboBoxDelegate::setModelData(QWidget *editor, QAbstractItemModel *model,
                                                const QModelIndex &index) const
            {
                QComboBox *edit = static_cast<QComboBox *>(editor);
                QSqlTableModel* sqlModel = static_cast<QSqlTableModel*>(model);
                QModelIndex primaryKeyIndex = sqlModel->index(index.row(), 0);
                int id = sqlModel->data(primaryKeyIndex).toInt();
                QString value = edit->currentText();
                QSqlQuery query;
                query.prepare("UPDATE tbl SET status = ? WHERE id = ?");
                query.addBindValue(value);
                query.addBindValue(id);
                query.exec();
                sqlModel->select();
            }
            
            void ComboBoxDelegate::updateEditorGeometry(QWidget *editor,
                const QStyleOptionViewItem &option, const QModelIndex &/*index*/) const
            {
                editor->setGeometry(option.rect);
            }
            
            void ComboBoxDelegate::paint(QPainter *painter, const QStyleOptionViewItem &option,
                                         const QModelIndex &index) const
            {
                if(index.column() == 3)
                {
                    QStyleOptionComboBox comboBoxStyleOption;
                    comboBoxStyleOption.state = option.state;
                    comboBoxStyleOption.rect = option.rect;
                    comboBoxStyleOption.currentText = index.data(Qt::EditRole).toString();
            
                    QApplication::style()->drawComplexControl(QStyle::CC_ComboBox, &comboBoxStyleOption, painter, 0);
                    QApplication::style()->drawControl(QStyle::CE_ComboBoxLabel, &comboBoxStyleOption, painter, 0);
            
                    return;
                }
            
                QStyledItemDelegate::paint(painter,option, index);
            }
            

            Всё работает как надо: выставляется значение по умолчанию white, сохраняются значения, выставленные ранее. Осталось только одно затруднение: доступ к комбобоксу осуществляется после двойного щелчка мыши. Хотелось бы с первого щелчка.

              Evgenii Legotckoi
              • June 27, 2019, 12:10 a.m.

              Попробуйте включить все триггеры редактирования у TableView, а потом уже немного поиграться с ними, если заработает.

              tableView->setEditTriggers(QAbstractItemView::AllEditTriggers);
              
                IscanderChe
                • June 27, 2019, 11:42 a.m.
                • (edited)

                Теперь со второго щелчка работает: вначале выделить ячейку, потом уже работать с выпадающим списком.
                И выделяется первая ячейка для редактирования текста, что совсем не надо. Похоже, надо опять думать в сторону собственной реализации QTableView...

                  IscanderChe
                  • June 27, 2019, 7:55 p.m.

                  "Теперь со второго щелчка работает: вначале выделить ячейку, потом уже работать с выпадающим списком." Это осталось, а вот с редактированием удалось успешно закрыть вопрос. Добавилась собственная реализация QTableView и несколько строк в widget.cpp.

                  // mytableview.h
                  
                  #ifndef MYTABLEVIEW_H
                  #define MYTABLEVIEW_H
                  
                  #include <QTableView>
                  
                  class MyTableView : public QTableView
                  {
                      Q_OBJECT
                  
                  public:
                      MyTableView(QObject* parent = 0);
                  
                      void mouseMoveEvent(QMouseEvent* event) override;
                  
                  signals:
                      void mouseHover(QModelIndex index);
                  };
                  
                  #endif // MYTABLEVIEW_H
                  
                  // mytableview.cpp
                  
                  #include "mytableview.h"
                  #include <QMouseEvent>
                  
                  MyTableView::MyTableView(QObject* /*parent*/)
                  {
                  
                  }
                  
                  void MyTableView::mouseMoveEvent(QMouseEvent* event)
                  {
                      QPoint position = event->pos();
                      QModelIndex index = indexAt(position);
                      emit mouseHover(index);
                  }
                  
                  // widget.h
                  
                  #ifndef WIDGET_H
                  #define WIDGET_H
                  
                  #include "mytableview.h"
                  #include <QWidget>
                  #include <QSqlTableModel>
                  #include <QTableView>
                  
                  class Widget : public QWidget
                  {
                      Q_OBJECT
                  
                  public:
                      Widget(QWidget *parent = 0);
                      ~Widget();
                  
                  private:
                      QSqlTableModel* model;
                      MyTableView* tableView;
                  
                  private slots:
                      void mouseHover(QModelIndex index);
                  };
                  
                  #endif // WIDGET_H
                  
                  // widget.cpp
                  ...
                      tableView->setEditTriggers(QAbstractItemView::NoEditTriggers);
                      tableView->setSelectionMode(QAbstractItemView::SingleSelection);
                      tableView->setSelectionBehavior(QAbstractItemView::SelectRows);
                      tableView->setSortingEnabled(true);
                      tableView->setMouseTracking(true);
                  
                      connect(tableView, SIGNAL(mouseHover(QModelIndex)), this, SLOT(mouseHover(QModelIndex)));
                  }
                  
                  Widget::~Widget()
                  {
                  
                  }
                  
                  void Widget::mouseHover(QModelIndex index)
                  {
                      if(index.column() != 3)
                          tableView->setEditTriggers(QAbstractItemView::NoEditTriggers);
                      if(index.column() == 3)
                          tableView->setEditTriggers(QAbstractItemView::AllEditTriggers);
                  }
                  

                  Огромное спасибо за помощь по работе с моделями! Трудновато, но очень интересно.)

                    IscanderChe
                    • June 28, 2019, 5:21 p.m.
                    • (edited)

                    С проблемой редактирования текста разобрался с помощью другого дружественного ресурса путём наследования модели и переписывания метода flags. Получилось более элегантно и без костылей в виде кастомного QTableView:

                    Qt::ItemFlags MySqlTableModel::flags(const QModelIndex& index) const
                    {
                        if(index.column() == 0 || index.column() == 1)
                        {
                            Qt::ItemFlags flags = QSqlTableModel::flags(index);
                            flags = Qt::ItemIsEnabled | Qt::ItemIsSelectable;
                            return flags;
                        }
                    
                        return QSqlTableModel::flags(index);
                    }
                    

                    Но вылезла другая интересная проблема. Как удалось выяснить, при выборе другого значения в комбобоксе данные вносятся в базу данных только после щелчка на другой ячейке или свободном пространстве. Можно это как-то побороть, чтобы данные записывались сразу после выбора значения?

                      Evgenii Legotckoi
                      • July 1, 2019, 12:43 p.m.

                      Я думаю, что нужно попробовать делегат переписать, чтобы он сразу отсылал сигнал об изменении данных, как только выбрано какое-то значение в комбобоксе. По сути, значение не подтверждается, пока нет перехода в другую ячейку.

                        IscanderChe
                        • July 1, 2019, 6:48 p.m.

                        Если напрямую из setEditorData делать так:

                        emit commitData(editor);
                        

                        то компилятор выдаёт ошибку: "passing 'const ComboBoxDelegate' as 'this' argument discards qualifiers [-fpermissive]"

                          Evgenii Legotckoi
                          • July 2, 2019, 1:07 p.m.

                          commitData ожидает неконстантный указатель на виджет, а у вас туда передаётся константный указатель.

                            IscanderChe
                            • July 2, 2019, 6:08 p.m.

                            В общем, мозг сломал, но так ничего и не придумал... Слишком тонкие намёки для меня.))
                            Вот если бы чуть более развёрнутое объяснение... И примеров кода не надо! Только объяснение.

                              Evgenii Legotckoi
                              • July 3, 2019, 12:30 p.m.

                              А мне бы наоборот код глянуть )) Можете показать, где у вас emit commitData(editor) используется? А то я всё уже в голове не успеваю держать, детали из памяти истераются.

                                IscanderChe
                                • July 3, 2019, 3:20 p.m.
                                void ComboBoxDelegate::setEditorData(QWidget* editor, const QModelIndex& index) const
                                {
                                    qDebug() << "Work setEditorData";
                                    if(index.column() == 2)
                                    {
                                        QString value = index.model()->data(index, Qt::EditRole).toString();
                                        QComboBox* comboBox = static_cast<QComboBox*>(editor);
                                
                                        QSqlQuery querySelect("SELECT status FROM statuses");
                                        QStringList statusList;
                                        if(!querySelect.exec())
                                        {
                                            qDebug() << "Error select from statuses";
                                            qDebug() << querySelect.lastError().text();
                                        }
                                        else
                                        {
                                            while(querySelect.next())
                                                statusList << querySelect.value(0).toString();
                                        }
                                
                                        for(int i = 0; i < statusList.size(); ++i)
                                        {
                                            if(value == statusList.at(i))
                                            {
                                                comboBox->setCurrentIndex(i);
                                                emit commitData(editor);
                                            }
                                        }
                                    }
                                }
                                
                                  Evgenii Legotckoi
                                  • July 4, 2019, 12:08 a.m.

                                  Придумал. Вот что попробуйте, сделайте в методе createEditor коннект лямбды на изменение текущего индекса. В котором и будете делать commitData.

                                  QWidget* ComboBoxDelegate::createEditor(QWidget* parent,
                                      const QStyleOptionViewItem& option, const QModelIndex& index) const
                                  {
                                      if(index.column() == 4)
                                      {
                                          QComboBox* editor = new QComboBox(parent);
                                          editor->insertItem(0, "white");
                                          editor->insertItem(1, "green");
                                  
                                          connect(comboBox, QOverload<int>::of(&QComboBox::currentIndexChanged), [=](int index)
                                          {
                                              emit commitData(editor);
                                          });
                                          return editor;
                                      }
                                  
                                      return QStyledItemDelegate::createEditor(parent, option, index);
                                  }
                                  

                                  По идее, когда вы измените значение, тогда сразу и вызовется применение изменений.

                                    IscanderChe
                                    • July 4, 2019, 2:14 a.m.

                                    Спасибо, попробую завтра. На работе у меня стоит 5.11, там QOverload поддерживается. А вот дома стоит 5.5.1, и этого там ещё нет...
                                    Не знаете, как правильно под 32-битный линукс скомпилить одновременно и QtCreator, и свежий Qt? Несколько надоело быть ограниченно годным в домашних условиях.

                                      Evgenii Legotckoi
                                      • July 4, 2019, 2:21 a.m.

                                      Ну я никогда не компилировал сам Qt, просто устанавливал нужные версии через Qt Maintanence Tool и всё. Этого достаточно было.

                                        IscanderChe
                                        • July 4, 2019, 2:51 a.m.

                                        Вот ещё, кстати, вопрос не по теме. В сообщениях указывается время, отличное от моего местного. Это правильно? Особо не мешает, но вопрос есть. :) Хорошо бы настроить возможность определять/задавать часовой пояс в профиле пользователя.

                                          IscanderChe
                                          • July 4, 2019, 12:17 p.m.

                                          Всё равно ругается: "passing 'const ComboBoxDelegate' as 'this' argument discards qualifiers [-fpermissive] emit commitData(comboBox);".

                                          QWidget* ComboBoxDelegate::createEditor(QWidget* parent,
                                                                                  const QStyleOptionViewItem& /*option*/,
                                                                                  const QModelIndex& /*index*/) const
                                          {
                                              QComboBox* comboBox = new QComboBox(parent);
                                              QSqlQuery querySelect("SELECT status FROM statuses");
                                              QStringList statusList;
                                              if(!querySelect.exec())
                                              {
                                                  qDebug() << "Error select from statuses";
                                                  qDebug() << querySelect.lastError().text();
                                              }
                                              else
                                              {
                                                  while(querySelect.next())
                                                      statusList << querySelect.value(0).toString();
                                              }
                                          
                                              foreach(QString status, statusList)
                                                  comboBox->addItem(status);
                                          
                                              comboBox->setCurrentIndex(0);
                                          
                                              connect(comboBox, QOverload<int>::of(&QComboBox::currentIndexChanged), [=](int index)
                                              {
                                                  emit commitData(comboBox);
                                              });
                                          
                                              return comboBox;
                                          }
                                          
                                            Evgenii Legotckoi
                                            • July 4, 2019, 2:38 p.m.

                                            Да надо бы это сделать. Я столкнулся в Django с тем, что довольно трудоёмко реализовать автоматическую детекцию часового пояса. А в официальной документации сказано, что добавляйте у пользователя поле для настройки часового пояся и выбирайте из него данные. Ну наверное да, нужно сделать ))))

                                              Evgenii Legotckoi
                                              • July 4, 2019, 2:42 p.m.

                                              етить колотить. Не обратил внимание на то, что это тоже const метод. Попробуйте тогда написать обычный слот без лямбды и подключиться к нему.

                                                IscanderChe
                                                • July 4, 2019, 3 p.m.

                                                Сигнал работает, сообщение "ComboBox index changed" появляется в момент смены значения, всё как надо. Только как теперь в модель всё это передать? Доступа-то к ней из слота нет.

                                                QWidget* ComboBoxDelegate::createEditor(QWidget* parent,
                                                                                        const QStyleOptionViewItem& /*option*/,
                                                                                        const QModelIndex& /*index*/) const
                                                {
                                                    QComboBox* comboBox = new QComboBox(parent);
                                                    QSqlQuery querySelect("SELECT status FROM statuses");
                                                    QStringList statusList;
                                                    if(!querySelect.exec())
                                                    {
                                                        qDebug() << "Error select from statuses";
                                                        qDebug() << querySelect.lastError().text();
                                                    }
                                                    else
                                                    {
                                                        while(querySelect.next())
                                                            statusList << querySelect.value(0).toString();
                                                    }
                                                
                                                    foreach(QString status, statusList)
                                                        comboBox->addItem(status);
                                                
                                                    comboBox->setCurrentIndex(0);
                                                
                                                    connect(comboBox, SIGNAL(currentIndexChanged(int)), this, SLOT(changedComboBox(int)));
                                                
                                                    return comboBox;
                                                }
                                                
                                                void ComboBoxDelegate::changedComboBox(int /*index*/)
                                                {
                                                    qDebug() << "ComboBox index changed";
                                                }
                                                
                                                  Evgenii Legotckoi
                                                  • July 4, 2019, 3:07 p.m.

                                                  Попробуйте так

                                                  void ComboBoxDelegate::changedComboBox(int /*index*/)
                                                  {
                                                      emit commitData(qobject_cast<QComboBox*>(sender()));
                                                  }
                                                  
                                                    IscanderChe
                                                    • July 4, 2019, 3:15 p.m.

                                                    Сработало! Спасибо!!!

                                                      Evgenii Legotckoi
                                                      • July 4, 2019, 3:19 p.m.

                                                      Кстати, скорее всего на новом синтаксисе сигналов и слотов через указатели на методы не получится так сделать. Дело в том, что Макросы кладут болт на некоторые моменты в плане приватности и константности объектов... Но я бы проверил...

                                                      Можете проверить коннект так? Любопытства ради. Если я правильно понимаю, то тогда не сможет скомпилироваться...

                                                      connect(comboBox, QOverload<int>::of(&QComboBox::currentIndexChanged), this, &ComboBoxDelegate::changedComboBox);
                                                      
                                                        IscanderChe
                                                        • July 4, 2019, 3:36 p.m.

                                                        Скомилировалось и нормально работает.

                                                          Evgenii Legotckoi
                                                          • July 4, 2019, 3:40 p.m.

                                                          Хорошо, значит ошибочная мысль была. Спасибо.

                                                          Оставьте тогда на новом синтаксисе. Уже не комильфо использовать старый синтаксис )))

                                                            IscanderChe
                                                            • April 20, 2023, 12:21 p.m.

                                                            Добрый день.

                                                            Я тут жаловался в посте выше ( тут ), что: "Теперь со второго щелчка работает: вначале выделить ячейку, потом уже работать с выпадающим списком." Т.е. комбобокс в делегате начинал работать только после того, как щёлкнешь на нём: клик, и потом на второй клик уже список значений выпадает.

                                                            Удалось победить с помощью дружественного форума так:

                                                            tableView->openPersistentEditor(model->index(row,col));
                                                            

                                                            где индекс указывает на те ячейки, где размещается делегат.

                                                              Evgenii Legotckoi
                                                              • April 20, 2023, 2:17 p.m.

                                                              Круто, хорошо, что удалось разобраться :-)

                                                                Comments

                                                                Only authorized users can post comments.
                                                                Please, Log in or Sign up
                                                                МВ

                                                                Qt - Test 001. Signals and slots

                                                                • Result:68points,
                                                                • Rating points-1
                                                                ЛС

                                                                C++ - Test 001. The first program and data types

                                                                • Result:53points,
                                                                • Rating points-4
                                                                АА

                                                                C++ - Test 001. The first program and data types

                                                                • Result:60points,
                                                                • Rating points-1
                                                                Last comments
                                                                ИМ
                                                                Игорь МаксимовOct. 5, 2024, 7:51 a.m.
                                                                Django - Lesson 064. How to write a Python Markdown extension Приветствую Евгений! У меня вопрос. Можно ли вставлять свои классы в разметку редактора markdown? Допустим имея стандартную разметку: <ul> <li></li> <li></l…
                                                                d
                                                                dblas5July 5, 2024, 11:02 a.m.
                                                                QML - Lesson 016. SQLite database and the working with it in QML Qt Здравствуйте, возникает такая проблема (я новичок): ApplicationWindow неизвестный элемент. (М300) для TextField и Button аналогично. Могу предположить, что из-за более новой верси…
                                                                k
                                                                kmssrFeb. 8, 2024, 6:43 p.m.
                                                                Qt Linux - Lesson 001. Autorun Qt application under Linux как сделать автозапуск для флэтпака, который не даёт создавать файлы в ~/.config - вот это вопрос ))
                                                                Qt WinAPI - Lesson 007. Working with ICMP Ping in Qt Без строки #include <QRegularExpressionValidator> в заголовочном файле не работает валидатор.
                                                                EVA
                                                                EVADec. 25, 2023, 10:30 a.m.
                                                                Boost - static linking in CMake project under Windows Ошибка LNK1104 часто возникает, когда компоновщик не может найти или открыть файл библиотеки. В вашем случае, это файл libboost_locale-vc142-mt-gd-x64-1_74.lib из библиотеки Boost для C+…
                                                                Now discuss on the forum
                                                                MM
                                                                MichaelsusixQY MichaelsusixQYOct. 7, 2024, 5:57 p.m.
                                                                добавить qlineseries в функции Creating a healthier and healthier atmosphere is crucial for factories and factories. High-pressure washing can help remove contaminants, dust, and impurities that gather on floors, making sure …
                                                                JW
                                                                Jhon WickOct. 1, 2024, 3:52 p.m.
                                                                Indian Food Restaurant In Columbus OH| Layla’s Kitchen Indian Restaurant If you're looking for a truly authentic https://www.laylaskitchenrestaurantohio.com/ , Layla’s Kitchen Indian Restaurant is your go-to destination. Located at 6152 Cleveland Ave, Colu…
                                                                КГ
                                                                Кирилл ГусаревSept. 27, 2024, 9:09 a.m.
                                                                Не запускается программа на Qt: точка входа в процедуру не найдена в библиотеке DLL Написал программу на C++ Qt в Qt Creator, сбилдил Release с помощью MinGW 64-bit, бинарнику напихал dll-ки с помощью windeployqt.exe. При попытке запуска моей сбилженной программы выдаёт три оши…
                                                                F
                                                                FynjyJuly 22, 2024, 4:15 a.m.
                                                                при создании qml проекта Kits есть но недоступны для выбора Поставил Qt Creator 11.0.2. Qt 6.4.3 При создании проекта Qml не могу выбрать Kits, они все недоступны, хотя настроены и при создании обычного Qt Widget приложения их можно выбрать. В чем может …

                                                                Follow us in social networks