我有一个QTableView使用QSqlTableModel显示表格。
在该表中,我有一个DATETIME列。当我添加一行并尝试编辑时
那一栏,我有一个简单的QEdit。我想在那里有一个QDateTimeEdit(或类似代码),正确地编辑该字段会容易得多。

据我了解的文档,它应该可以单独工作,默认的委托(delegate)应该能够处理QDateTime并放置QDateTimeEdit,所以我猜QSqlTableModel不能将其识别为日期,因为表为空。有没有一种简单的方法可以指定它是一个日期而不只是文本?

我现在使用SQlite作为数据库,我不知道这可能是问题吗?
我不知道我可以在此处粘贴什么代码是有意义的,它实际上只是一个QSqlTableModel::setTableQTableView::setModel,仅此而已。

最佳答案

SQLite使用动态类型系统,即它没有数据类型。您应该实现自定义委托(delegate)并手动进行设置。

QDateTimeEdit的自定义委托(delegate):

#include <QItemDelegate>
#include <QDateTimeEdit>

class DateTimeEditDelegate: public QItemDelegate
{
 Q_OBJECT
public:
    DateTimeEditDelegate(QObject *parent = 0);

    QWidget *createEditor( QWidget *parent,
                            const QStyleOptionViewItem &option,
                            const QModelIndex &index ) const;

    void setEditorData( QWidget *editor,
                            const QModelIndex &index ) const;

    void setModelData( QWidget *editor,
                            QAbstractItemModel *model,
                            const QModelIndex &index ) const;

    void updateEditorGeometry( QWidget *editor,
                            const QStyleOptionViewItem &option,
                            const QModelIndex &index ) const;

    mutable QDateTimeEdit *dataTimeEdit;

private slots:

    void setData(QDateTime val);

};



DateTimeEditDelegate::DateTimeEditDelegate(QObject *parent ):QItemDelegate(parent)
{

}

QWidget *DateTimeEditDelegate::createEditor(QWidget *parent, const QStyleOptionViewItem &option, const QModelIndex &index) const
{
    dataTimeEdit = new QDateTimeEdit( parent );
    QObject::connect(dataTimeEdit,SIGNAL(dateTimeChanged(QDateTime)),this,SLOT(setData(QDateTime)));
    return dataTimeEdit;
}

void DateTimeEditDelegate::setEditorData(QWidget *editor, const QModelIndex &index) const
{
    QVariant dateTime = index.model()->data( index, Qt::DisplayRole );

    (static_cast<QDateTimeEdit*>( editor ))->setDateTime(dateTime.toDateTime());
}

void DateTimeEditDelegate::setModelData(QWidget *editor, QAbstractItemModel *model, const QModelIndex &index) const
{
    model->setData( index, static_cast<QDateTimeEdit*>( editor )->dateTime() );
}


void DateTimeEditDelegate::updateEditorGeometry(QWidget *editor, const QStyleOptionViewItem &option, const QModelIndex &index) const
{
    editor->setGeometry( option.rect );
}

void DateTimeEditDelegate::setData(QDateTime val)
{
    emit commitData(dataTimeEdit);
}

您可以将委托(delegate)的实例设置为一列:
ui->tableView->setItemDelegateForColumn(0, new DateTimeEditDelegate(ui->tableView));

关于c++ - QSqlTableModel和DATETIME列,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22734550/

10-09 06:35