PyQt5 - 拖放

拖放的提供对用户来说非常直观。 它存在于许多桌面应用程序中,用户可以在其中将对象从一个窗口复制或移动到另一个窗口。

基于 MIME 的拖放数据传输基于 QDrag 类。 QMimeData 对象将数据与其对应的 MIME 类型相关联。 它存储在剪贴板上,然后在拖放过程中使用。

下面的 QMimeData 类函数可以方便地检测和使用 MIME 类型。

Tester Getter Setter MIME 类型
hasText() text() setText() text/plain
hasHtml() html() setHtml() text/html
hasUrls() urls() setUrls() text/uri-list
hasImage() imageData() setImageData() image/ *
hasColor() colorData() setColorData() application/x-color

许多 QWidget 对象支持拖放活动。 那些允许他们的数据被拖动的有 setDragEnabled() 必须设置为 true。 另一方面,小部件应该响应拖放事件,以便存储拖入其中的数据。

  • DragEnterEvent 提供了一个事件,该事件在拖动操作进入时发送到目标小部件。

  • DragMoveEvent 在拖放操作正在进行时使用。

  • DragLeaveEvent 在拖放操作离开小部件时生成。

  • 另一方面,DropEvent 在放置完成时发生。 可以有条件地接受或拒绝事件的建议操作。


示例

在以下代码中,DragEnterEvent 验证事件的 MIME 数据是否包含文本。 如果是,则接受事件的建议操作,并将文本作为新项目添加到 ComboBox 中。

import sys
from PyQt5.QtCore import *
from PyQt5.QtGui import *
from PyQt5.QtWidgets import *

class combo(QComboBox):
   def __init__(self, title, parent):
      super(combo, self).__init__( parent)
      self.setAcceptDrops(True)

   def dragEnterEvent(self, e):
      print (e)

      if e.mimeData().hasText():
         e.accept()
      else:
         e.ignore()

   def dropEvent(self, e):
      self.addItem(e.mimeData().text())

class Example(QWidget):
   def __init__(self):
      super(Example, self).__init__()

      self.initUI()

   def initUI(self):
      lo = QFormLayout()
      lo.addRow(QLabel("Type some text in textbox and drag it into combo box"))
   
      edit = QLineEdit()
      edit.setDragEnabled(True)
      com = combo("Button", self)
      lo.addRow(edit,com)
      self.setLayout(lo)
      self.setWindowTitle('Simple drag and drop')
def main():
   app = QApplication(sys.argv)
   ex = Example()
   ex.show()
   app.exec_()

if __name__ == '__main__':
   main()

上面的代码产生以下输出 −

Drag and Drop Output