我有一个 SQLite 数据库,我把它做成了一个QSqlTableModel
. 为了显示数据库,我将该模型放入QTableView
.
现在我想创建一个方法,将选定的行(或整行)复制到QClipboard
. 之后,我想将它插入到我的 OpenOffice.Calc-Document 中。
但我不知道如何处理Selected
SIGNAL 以及QModelIndex
如何将其放入剪贴板。
我有一个 SQLite 数据库,我把它做成了一个QSqlTableModel
. 为了显示数据库,我将该模型放入QTableView
.
现在我想创建一个方法,将选定的行(或整行)复制到QClipboard
. 之后,我想将它插入到我的 OpenOffice.Calc-Document 中。
但我不知道如何处理Selected
SIGNAL 以及QModelIndex
如何将其放入剪贴板。
要实际捕获选择,您可以使用项目视图的选择模型来获取索引列表。鉴于您有一个QTableView *
被叫,view
您可以通过以下方式获得选择:
QAbstractItemModel * model = view->model();
QItemSelectionModel * selection = view->selectionModel();
QModelIndexList indexes = selection->selectedIndexes();
然后遍历索引列表调用model->data(index)
每个索引。如果尚未将数据转换为字符串并将每个字符串连接在一起。然后您可以使用QClipboard.setText
将结果粘贴到剪贴板。请注意,对于 Excel 和 Calc,每一列由换行符 ("\n") 与下一列分隔,每一行由制表符 ("\t") 分隔。您必须检查索引以确定何时移动到下一行。
QString selected_text;
// You need a pair of indexes to find the row changes
QModelIndex previous = indexes.first();
indexes.removeFirst();
foreach(const QModelIndex ¤t, indexes)
{
QVariant data = model->data(current);
QString text = data.toString();
// At this point `text` contains the text in one cell
selected_text.append(text);
// If you are at the start of the row the row number of the previous index
// isn't the same. Text is followed by a row separator, which is a newline.
if (current.row() != previous.row())
{
selected_text.append('\n');
}
// Otherwise it's the same row, so append a column separator, which is a tab.
else
{
selected_text.append('\t');
}
previous = current;
}
QApplication.clipboard().setText(selected_text);
警告:我没有机会尝试此代码,但 PyQt 等效的作品。
我遇到了类似的问题,最终调整了 QTableWidget(它是 QTableView 的扩展)来添加复制/粘贴功能。这是建立在上面 quark 提供的代码之上的代码:
qtablewidgetwithcopypaste.h
// QTableWidget with support for copy and paste added
// Here copy and paste can copy/paste the entire grid of cells
#ifndef QTABLEWIDGETWITHCOPYPASTE_H
#define QTABLEWIDGETWITHCOPYPASTE_H
#include <QTableWidget>
#include <QKeyEvent>
#include <QWidget>
class QTableWidgetWithCopyPaste : public QTableWidget
{
Q_OBJECT
public:
QTableWidgetWithCopyPaste(int rows, int columns, QWidget *parent = 0) :
QTableWidget(rows, columns, parent)
{}
QTableWidgetWithCopyPaste(QWidget *parent = 0) :
QTableWidget(parent)
{}
private:
void copy();
void paste();
public slots:
void keyPressEvent(QKeyEvent * event);
};
#endif // QTABLEWIDGETWITHCOPYPASTE_H
qtablewidgetwithcopypaste.cpp
#include "qtablewidgetwithcopypaste.h"
#include <QApplication>
#include <QMessageBox>
#include <QClipboard>
#include <QMimeData>
void QTableWidgetWithCopyPaste::copy()
{
QItemSelectionModel * selection = selectionModel();
QModelIndexList indexes = selection->selectedIndexes();
if(indexes.size() < 1)
return;
// QModelIndex::operator < sorts first by row, then by column.
// this is what we need
// std::sort(indexes.begin(), indexes.end());
qSort(indexes);
// You need a pair of indexes to find the row changes
QModelIndex previous = indexes.first();
indexes.removeFirst();
QString selected_text_as_html;
QString selected_text;
selected_text_as_html.prepend("<html><style>br{mso-data-placement:same-cell;}</style><table><tr><td>");
QModelIndex current;
Q_FOREACH(current, indexes)
{
QVariant data = model()->data(previous);
QString text = data.toString();
selected_text.append(text);
text.replace("\n","<br>");
// At this point `text` contains the text in one cell
selected_text_as_html.append(text);
// If you are at the start of the row the row number of the previous index
// isn't the same. Text is followed by a row separator, which is a newline.
if (current.row() != previous.row())
{
selected_text_as_html.append("</td></tr><tr><td>");
selected_text.append(QLatin1Char('\n'));
}
// Otherwise it's the same row, so append a column separator, which is a tab.
else
{
selected_text_as_html.append("</td><td>");
selected_text.append(QLatin1Char('\t'));
}
previous = current;
}
// add last element
selected_text_as_html.append(model()->data(current).toString());
selected_text.append(model()->data(current).toString());
selected_text_as_html.append("</td></tr>");
QMimeData * md = new QMimeData;
md->setHtml(selected_text_as_html);
// qApp->clipboard()->setText(selected_text);
md->setText(selected_text);
qApp->clipboard()->setMimeData(md);
// selected_text.append(QLatin1Char('\n'));
// qApp->clipboard()->setText(selected_text);
}
void QTableWidgetWithCopyPaste::paste()
{
if(qApp->clipboard()->mimeData()->hasHtml())
{
// TODO, parse the html data
}
else
{
QString selected_text = qApp->clipboard()->text();
QStringList cells = selected_text.split(QRegExp(QLatin1String("\\n|\\t")));
while(!cells.empty() && cells.back().size() == 0)
{
cells.pop_back(); // strip empty trailing tokens
}
int rows = selected_text.count(QLatin1Char('\n'));
int cols = cells.size() / rows;
if(cells.size() % rows != 0)
{
// error, uneven number of columns, probably bad data
QMessageBox::critical(this, tr("Error"),
tr("Invalid clipboard data, unable to perform paste operation."));
return;
}
if(cols != columnCount())
{
// error, clipboard does not match current number of columns
QMessageBox::critical(this, tr("Error"),
tr("Invalid clipboard data, incorrect number of columns."));
return;
}
// don't clear the grid, we want to keep any existing headers
setRowCount(rows);
// setColumnCount(cols);
int cell = 0;
for(int row=0; row < rows; ++row)
{
for(int col=0; col < cols; ++col, ++cell)
{
QTableWidgetItem *newItem = new QTableWidgetItem(cells[cell]);
setItem(row, col, newItem);
}
}
}
}
void QTableWidgetWithCopyPaste::keyPressEvent(QKeyEvent * event)
{
if(event->matches(QKeySequence::Copy) )
{
copy();
}
else if(event->matches(QKeySequence::Paste) )
{
paste();
}
else
{
QTableWidget::keyPressEvent(event);
}
}
夸克的答案(被选中的那个)很好地为人们指明了正确的方向,但他的算法完全不正确。除了一个错误和不正确的分配之外,它甚至在语法上都不正确。以下是我刚刚编写和测试的工作版本。
假设我们的示例表如下所示:
一个 | 乙| 光盘
| E | F
夸克算法的问题如下:
如果我们用' |替换他的\t分隔符 ',它将产生以下输出:
B | C | D
E | F |
一个错误的关闭是D出现在第一行。A的遗漏证明了不正确的分配
以下算法使用正确的语法纠正了这两个问题。
QString clipboardString;
QModelIndexList selectedIndexes = view->selectionModel()->selectedIndexes();
for (int i = 0; i < selectedIndexes.count(); ++i)
{
QModelIndex current = selectedIndexes[i];
QString displayText = current.data(Qt::DisplayRole).toString();
// If there exists another column beyond this one.
if (i + 1 < selectedIndexes.count())
{
QModelIndex next = selectedIndexes[i+1];
// If the column is on different row, the clipboard should take note.
if (next.row() != current.row())
{
displayText.append("\n");
}
else
{
// Otherwise append a column separator.
displayText.append(" | ");
}
}
clipboardString.append(displayText);
}
QApplication::clipboard()->setText(clipboardString);
我选择使用计数器而不是迭代器的原因只是因为通过检查计数来更容易测试是否存在另一个索引。使用迭代器,我想也许您可以将其递增并将其存储在弱指针中以测试它是否有效,但只需像我上面那样使用计数器。
我们需要检查下一行是否会在新行上。如果我们在一个新行上并且我们像 Quark 的算法那样检查前一行,那么追加已经太迟了。我们可以预先设置,但是我们必须跟踪最后一个字符串的大小。上面的代码将从示例表中产生以下输出:
一个 | 乙| 光盘
| E | F
无论出于何种原因,我都无法访问 std::sort 函数,但是我确实发现作为 Corwin Joy 解决方案的一个巧妙替代方案,可以通过替换来实现排序函数
std::sort(indexes.begin(), indexes.end());
和
qSort(indexes);
这和写法一样:
qSort(indexes.begin(), indexes.end());
感谢您提供帮助的代码家伙!
您需要做的是访问模型中的文本数据,然后将该文本传递给QClipboard
.
要访问模型中的文本数据,请使用QModelIndex::data()
. 默认参数是Qt::DisplayRole
,即显示的文本。
检索到文本后,使用 . 将该文本传递到剪贴板QClipboard::setText()
。
一个 pyqt py2.x 示例:
selection = self.table.selectionModel() #self.table = QAbstractItemView
indexes = selection.selectedIndexes()
columns = indexes[-1].column() - indexes[0].column() + 1
rows = len(indexes) / columns
textTable = [[""] * columns for i in xrange(rows)]
for i, index in enumerate(indexes):
textTable[i % rows][i / rows] = unicode(self.model.data(index).toString()) #self.model = QAbstractItemModel
return "\n".join(("\t".join(i) for i in textTable))
我根据其他一些人的答案编写了一些代码。我继承QTableWidget
并覆盖keyPressEvent()
以允许用户通过键入 Control-C 将选定的行复制到剪贴板。
void MyTableWidget::keyPressEvent(QKeyEvent* event) {
// If Ctrl-C typed
if (event->key() == Qt::Key_C && (event->modifiers() & Qt::ControlModifier))
{
QModelIndexList cells = selectedIndexes();
qSort(cells); // Necessary, otherwise they are in column order
QString text;
int currentRow = 0; // To determine when to insert newlines
foreach (const QModelIndex& cell, cells) {
if (text.length() == 0) {
// First item
} else if (cell.row() != currentRow) {
// New row
text += '\n';
} else {
// Next cell
text += '\t';
}
currentRow = cell.row();
text += cell.data().toString();
}
QApplication::clipboard()->setText(text);
}
}
输出示例(制表符分隔):
foo bar baz qux
bar baz qux foo
baz qux foo bar
qux foo bar baz
我终于明白了,谢谢。
void Widget::copy() {
QItemSelectionModel *selectionM = tableView->selectionModel();
QModelIndexList selectionL = selectionM->selectedIndexes();
selectionL.takeFirst(); // ID, not necessary
QString *selectionS = new QString(model->data(selectionL.takeFirst()).toString());
selectionS->append(", ");
selectionS->append(model->data(selectionL.takeFirst()).toString());
selectionS->append(", ");
selectionS->append(model->data(selectionL.takeFirst()).toString());
selectionS->append(", ");
selectionS->append(model->data(selectionL.takeFirst()).toString());
clipboard->setText(*selectionS);
}
和
connect (tableView, SIGNAL(clicked(QModelIndex)), this, SLOT(copy()));
我不禁注意到,您可以使用具有方便功能的foreach()
构造和QStringList
类来简化代码。join()
void Widget::copy()
{
QStringList list ;
foreach ( const QModelIndex& index, tableView->selectedIndexes() )
{
list << index.data() ;
}
clipboard->setText( list.join( ", " ) ) ;
}
小心最后一个元素。请注意,在“removeFirst()”之后,索引可能会变为空。因此,'current' 永远无效,不应在 model()->data(current) 中使用。
indexes.removeFirst();
QString selected_text;
QModelIndex current;
Q_FOREACH(current, indexes)
{
.
.
.
}
// add last element
selected_text.append(model()->data(current).toString());
考虑
QModelIndex last = indexes.last();
indexes.removeFirst();
QString selected_text;
Q_FOREACH(QModelIndex current, indexes)
{
.
.
.
}
// add last element
selected_text.append(model()->data(last).toString());
这是 Corwin Joy 发布的内容的一个变体,它与 QTableView 一起使用并以不同的方式处理稀疏选择。使用此代码,如果您在不同的行中选择了不同的列(例如,选定的单元格是(1,1)、(1、2)、(2、1)、(3,2)),那么当您粘贴它时,您将得到空与您选择的“孔”相对应的单元格(例如单元格 (2,2) 和 (3,1))。它还为与所选内容相交的列提取列标题文本。
void CopyableTableView::copy()
{
QItemSelectionModel *selection = selectionModel();
QModelIndexList indices = selection->selectedIndexes();
if(indices.isEmpty())
return;
QMap<int, bool> selectedColumnsMap;
foreach (QModelIndex current, indices) {
selectedColumnsMap[current.column()] = true;
}
QList<int> selectedColumns = selectedColumnsMap.uniqueKeys();
int minCol = selectedColumns.first();
// prepend headers for selected columns
QString selectedText;
foreach (int column, selectedColumns) {
selectedText += model()->headerData(column, Qt::Horizontal, Qt::DisplayRole).toString();
if (column != selectedColumns.last())
selectedText += QLatin1Char('\t');
}
selectedText += QLatin1Char('\n');
// QModelIndex::operator < sorts first by row, then by column.
// this is what we need
qSort(indices);
int lastRow = indices.first().row();
int lastColumn = minCol;
foreach (QModelIndex current, indices) {
if (current.row() != lastRow) {
selectedText += QLatin1Char('\n');
lastColumn = minCol;
lastRow = current.row();
}
if (current.column() != lastColumn) {
for (int i = 0; i < current.column() - lastColumn; ++i)
selectedText += QLatin1Char('\t');
lastColumn = current.column();
}
selectedText += model()->data(current).toString();
}
selectedText += QLatin1Char('\n');
QApplication::clipboard()->setText(selectedText);
}
如果有人感兴趣,这个网页提供了一个关于这个主题的工作代码项目,它工作得很好。 QAbstractTableModel / QTableView 的复制/粘贴功能实现