如何在保留选择的同时刷新 QSqlTableModel?

Posted

技术标签:

【中文标题】如何在保留选择的同时刷新 QSqlTableModel?【英文标题】:How to refresh a QSqlTableModel while preserving the selection? 【发布时间】:2012-06-16 16:40:47 【问题描述】:

我正在使用QSqlTableModelQTableView 查看 SQLite 数据库表。

我希望表格每隔一秒左右自动刷新一次(它不会是一个非常大的表格 - 几百行)。我可以这样做——就像这样:

QTimer *updateInterval = new QTimer(this);
updateInterval->setInterval(1000);
updateInterval->start();
connect(updateInterval, SIGNAL(timeout()),this, SLOT(update_table()));

...

void MainWindow::update_table()

    model->select(); //QSqlTableModel*
    sqlTable->reset(); //QTableView*

但这会删除我拥有的所有选择,因此这些选择最多只能持续一秒钟。这很烦人,因为 GUI 中的另一个窗格取决于选择的内容。如果未选择任何内容,则会重置为说明启动页面。

然后我尝试了一种有点 hacky 的方法,它获取选定的行号,重置表,然后选择该行。但这也不起作用,因为所选行可以根据添加到表格中的内容向上或向下移动。

我知道其他类有一个dataChanged() 信号,这将是理想的。

你们有谁知道我如何让表刷新以反映对数据库的更改(来自命令行使用或程序的其他实例)并保留当前选择?

我知道我可以从当前选择中获取数据,然后在重置后搜索同一行,然后重新选择它,但这似乎是一个适得其反的问题解决方案。

编辑:当前的解决方案尝试:

void MainWindow::update_table()
    

    QList<QModelIndex> selection = sqlTable->selectionModel()->selection().indexes();
    QList<int> selectedIDs;
    bool somethingSelected = true;

    for(QList<QModelIndex>::iterator i = selection.begin(); i != selection.end(); ++i)
        int col = i->column();
        QVariant data = i->data(Qt::DisplayRole);

    if(col == 0) 
            selectedIDs.append(data.toInt());
        
    

    if(selectedIDs.empty()) somethingSelected = false;

    model->select();
    sqlTable->reset();

    if(somethingSelected)
        QList<int> selectedRows;

        int rows = model->rowCount(QModelIndex());
        for(int i = 0; i < rows; ++i)
            sqlTable->selectRow(i);
            if(selectedIDs.contains(sqlTable->selectionModel()->selection().indexes().first().data(Qt::DisplayRole).toInt())) selectedRows.append(i);
    

    for(QList<int>::iterator i = selectedRows.begin(); i != selectedRows.end(); ++i)
        sqlTable->selectRow(*i);
    


好的,现在这或多或少可以工作了......

【问题讨论】:

我添加了一个示例,该示例以通用方式执行此操作,具体取决于主键的存在。 【参考方案1】:

真正的交易是查询结果的主键。 Qt 的 API 提供了从QSqlTableModel::primaryKey() 到列列表的相当迂回的路径。 primaryKey() 的结果是QSqlRecord,您可以遍历它的field()s 以查看它们是什么。您还可以从QSqlTableModel::record() 中查找构成查询的所有字段。您可以在后者中找到前者以获取构成查询的模型列的列表。

如果您的查询不包含主键,则您必须自己设计一个并使用某种协议提供它。例如,您可以选择如果primaryKey().isEmpty() 为真,则将模型返回的最后一列用作主键。由您决定如何键入任意查询的结果。

然后可以简单地通过它们的主键(组成键的单元格的值列表 -- QVariantList)对选定的行进行索引。为此,您可以使用自定义选择模型 (QItemSelectionModel),前提是其设计没有被破坏。 isRowSelected() 等关键方法不是虚拟的,您无法重新实现它们:(.

相反,您可以通过为数据提供自定义Qt::BackgroundRole 来使用模拟选择的代理模型。您的模型位于表模型的顶部,并保留了选定键的排序列表。每次调用代理模型的 data() 时,您都会从底层查询模型中获取行的键,然后在排序列表中搜索它。最后,如果该项目被选中,您将返回一个自定义背景角色。您必须为QVariantList 编写相关的比较运算符。如果QItemSelectionModel 可用于此目的,您可以将此功能放入isRowSelected() 的重新实现中。

该模型是通用的,因为您订阅了从查询模型中提取键的特定协议:即使用primaryKey()

除了显式使用主键之外,您还可以使用持久索引(如果模型支持)。唉,至少在 Qt 5.3.2 之前,QSqlTableModel 在重新运行查询时不会保留持久索引。因此,一旦视图更改排序顺序,持久索引就会失效。

下面是一个完整的示例,说明如何实现这样的野兽:

#include <QApplication>
#include <QTableView>
#include <QSqlRecord>
#include <QSqlField>
#include <QSqlQuery>
#include <QSqlTableModel>
#include <QIdentityProxyModel>
#include <QSqlDatabase>
#include <QMap>
#include <QVBoxLayout>
#include <QPushButton>

// Lexicographic comparison for a variant list
bool operator<(const QVariantList &a, const QVariantList &b) 
   int count = std::max(a.count(), b.count());
   // For lexicographic comparison, null comes before all else
   Q_ASSERT(QVariant() < QVariant::fromValue(-1));
   for (int i = 0; i < count; ++i) 
      auto aValue = i < a.count() ? a.value(i) : QVariant();
      auto bValue = i < b.count() ? b.value(i) : QVariant();
      if (aValue < bValue) return true;
   
   return false;


class RowSelectionEmulatorProxy : public QIdentityProxyModel 
   Q_OBJECT
   Q_PROPERTY(QBrush selectedBrush READ selectedBrush WRITE setSelectedBrush)
   QMap<QVariantList, QModelIndex> mutable m_selection;
   QVector<int> m_roles;
   QBrush m_selectedBrush;
   bool m_ignoreReset;
   class SqlTableModel : public QSqlTableModel 
   public:
      using QSqlTableModel::primaryValues;
   ;
   SqlTableModel * source() const 
      return static_cast<SqlTableModel*>(dynamic_cast<QSqlTableModel*>(sourceModel()));
   
   QVariantList primaryValues(int row) const 
      auto record = source()->primaryValues(row);
      QVariantList values;
      for (int i = 0; i < record.count(); ++i) values << record.field(i).value();
      return values;
   
   void notifyOfChanges(int row) 
      emit dataChanged(index(row, 0), index(row, columnCount()-1), m_roles);
   
   void notifyOfAllChanges(bool remove = false) 
      auto it = m_selection.begin();
      while (it != m_selection.end()) 
         if (it->isValid()) notifyOfChanges(it->row());
         if (remove) it = m_selection.erase(it); else ++it;
      
   
public:
   RowSelectionEmulatorProxy(QObject* parent = 0) :
      QIdentityProxyModel(parent), m_roles(QVector<int>() << Qt::BackgroundRole),
      m_ignoreReset(false) 
      connect(this, &QAbstractItemModel::modelReset, [this]
         if (! m_ignoreReset) 
            m_selection.clear();
          else 
            for (auto it = m_selection.begin(); it != m_selection.end(); ++it) 
               *it = QModelIndex(); // invalidate the cached mapping
            
         
      );
   
   QBrush selectedBrush() const  return m_selectedBrush; 
   void setSelectedBrush(const QBrush & brush) 
      if (brush == m_selectedBrush) return;
      m_selectedBrush = brush;
      notifyOfAllChanges();
   
   QList<int> selectedRows() const 
      QList<int> result;
      for (auto it = m_selection.begin(); it != m_selection.end(); ++it) 
         if (it->isValid()) result << it->row();
      
      return result;
   
   bool isRowSelected(const QModelIndex &proxyIndex) const 
      if (! source() || proxyIndex.row() >= rowCount()) return false;
      auto primaryKey = primaryValues(proxyIndex.row());
      return m_selection.contains(primaryKey);
   
   Q_SLOT void selectRow(const QModelIndex &proxyIndex, bool selected = true) 
      if (! source() || proxyIndex.row() >= rowCount()) return;
      auto primaryKey = primaryValues(proxyIndex.row());
      if (selected) 
         m_selection.insert(primaryKey, proxyIndex);
       else 
         m_selection.remove(primaryKey);
      
      notifyOfChanges(proxyIndex.row());
   
   Q_SLOT void toggleRowSelection(const QModelIndex &proxyIndex) 
      selectRow(proxyIndex, !isRowSelected(proxyIndex));
   
   Q_SLOT virtual void clearSelection() 
      notifyOfAllChanges(true);
   
   QVariant data(const QModelIndex &proxyIndex, int role) const Q_DECL_OVERRIDE 
      QVariant value = QIdentityProxyModel::data(proxyIndex, role);
      if (proxyIndex.row() < rowCount() && source()) 
         auto primaryKey = primaryValues(proxyIndex.row());
         auto it = m_selection.find(primaryKey);
         if (it != m_selection.end()) 
            // update the cache
            if (! it->isValid()) *it = proxyIndex;
            // return the background
            if (role == Qt::BackgroundRole) return m_selectedBrush;
         
      
      return value;
   
   bool setData(const QModelIndex &, const QVariant &, int) Q_DECL_OVERRIDE 
      return false;
   
   void sort(int column, Qt::SortOrder order) Q_DECL_OVERRIDE 
      m_ignoreReset = true;
      QIdentityProxyModel::sort(column, order);
      m_ignoreReset = false;
   
   void setSourceModel(QAbstractItemModel * model) Q_DECL_OVERRIDE 
      m_selection.clear();
      QIdentityProxyModel::setSourceModel(model);
   
;

int main(int argc, char *argv[])

   QApplication app(argc, argv);
   QWidget w;
   QVBoxLayout layout(&w);

   QSqlDatabase db = QSqlDatabase::addDatabase("QSQLITE");
   db.setDatabaseName(":memory:");
   if (! db.open()) return 255;

   QSqlQuery query(db);
   query.exec("create table chaps (name, age, constraint pk primary key (name, age));");
   query.exec("insert into chaps (name, age) values "
              "('Bob', 20), ('Rob', 30), ('Sue', 25), ('Hob', 40);");
   QSqlTableModel model(nullptr, db);
   model.setTable("chaps");

   RowSelectionEmulatorProxy proxy;
   proxy.setSourceModel(&model);
   proxy.setSelectedBrush(QBrush(Qt::yellow));

   QTableView view;
   view.setModel(&proxy);
   view.setEditTriggers(QAbstractItemView::NoEditTriggers);
   view.setSelectionMode(QAbstractItemView::NoSelection);
   view.setSortingEnabled(true);
   QObject::connect(&view, &QAbstractItemView::clicked, [&proxy](const QModelIndex & index)
      proxy.toggleRowSelection(index);
   );

   QPushButton clearSelection("Clear Selection");
   QObject::connect(&clearSelection, &QPushButton::clicked, [&proxy] proxy.clearSelection(); );

   layout.addWidget(&view);
   layout.addWidget(&clearSelection);
   w.show();
   app.exec();


#include "main.moc"

【讨论】:

那么简短的回答:没有像“发出 dataChanged()”这样简单的方法。太烦人了。 您的期望是 Qt 会自动执行此操作。对于存在主键的情况,没有自动的方法expect。诚然,Qt 可以提供一个使用 primaryKey() 或让您提供一组包含键的列的 api。请注意,您所需要的只是一个自定义的QItemSelectionModel,无需触摸其他任何内容。 如果您愿意,我可以尝试为其实施概念验证。应该不会太难。 我会喜欢的,我只使用了 qt 或几个星期。你说它需要一个主键,我所有的表都有主键,有没有办法只使用这个列而不让它变得混乱?在每个表中,它是第一列和一个整数... 嗯,是的,毕竟它必须是一个键,但只能在查询结果中。

以上是关于如何在保留选择的同时刷新 QSqlTableModel?的主要内容,如果未能解决你的问题,请参考以下文章

页面刷新后保留选择复选标记

刷新后如何保持下拉选择

EXCEL 图表横轴如何在数据刷新后只保留显示非0值或非错误值?

页面刷新时如何记住或保留当前标签?

jqGrid - 如何删除寻呼机上的页面选择但保留按钮?

刷新表单时如何保留过去的值?