QListview拖放槽

时间:2014-09-25 05:03:46

标签: qt qlistview

我在MainWindow中有一个QListView并启用拖放功能。为此,我想创建一个Slot女巫正在听拖拉事件。但在QT文档中,我没有找到此事件的信号。我如何创建插槽或以某种方式监听事件?

编辑:我只想在ListView中使用拖放来重新排序项目,并且只是听取此事件。

1 个答案:

答案 0 :(得分:1)

Drag and Drop的实现需要在支持它的所有小部件中实现拖动操作和放置操作。

要实现Drag操作,最好的方法是在应该能够拖动的小部件中使用鼠标事件处理程序的重载:

void DragWidget::mousePressEvent(QMouseEvent *event)
{
    if (event->button() == Qt::LeftButton)
        dragStartPosition = event->pos();
}

void DragWidget::mouseMoveEvent(QMouseEvent *event)
{
    if (!(event->buttons() & Qt::LeftButton))
        return;
    if ((event->pos() - dragStartPosition).manhattanLength()
         < QApplication::startDragDistance())
        return;

    QDrag *drag = new QDrag(this);
    QMimeData *mimeData = new QMimeData;

    mimeData->setData(mimeType, data);
    drag->setMimeData(mimeData);

    Qt::DropAction dropAction = drag->exec(Qt::CopyAction | Qt::MoveAction);
    ...
}

为了能够接收Drop事件,需要使用setAcceptDrops(true)标记widget,并重载dragEnterEvent()和dropEvent()事件处理函数。例如:

Window::Window(QWidget *parent)
    : QWidget(parent)
{
    ...
    setAcceptDrops(true);
}

void Window::dropEvent(QDropEvent *event)
{
    textBrowser->setPlainText(event->mimeData()->text());
    mimeTypeCombo->clear();
    mimeTypeCombo->addItems(event->mimeData()->formats());

    event->acceptProposedAction();
}

您可以找到此here的完整文档。