PyQt5: Little Tricks

1.拖拽

主要实现两个功能:LineEdit的内容可拖出(鼠标选中文本并拖动),可将文本拖到Button上(鼠标选中文本拖动到button上替换按钮上的文本)

import sys
from PyQt5.QtWidgets import (QPushButton, QWidget,
                             QLineEdit, QApplication)


class Button(QPushButton):
    def __init__(self, title, parent):
        super().__init__(title, parent)

        self.setAcceptDrops(True)

    def dragEnterEvent(self, e): # 重新实现dragEnterEvent()方法,并设置可接受的数据类型(这里是普通文本)

        if e.mimeData().hasFormat('text/plain'): 
            e.accept()
        else:
            e.ignore()

    def dropEvent(self, e): # 重新实现dropEvent()方法,定义了在drop事件发生时的行为,这里改变了按钮的文字

        self.setText(e.mimeData().text()) 

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

        self.initUI()

    def initUI(self):
        edit = QLineEdit('', self)
        edit.setDragEnabled(True) # 内置了拖动的操作,只需调用该方法即可
        edit.move(30, 65)

        button = Button("Button", self)
        button.move(190, 65)

        self.setWindowTitle('Simple drag & drop')
        self.setGeometry(300, 300, 300, 150)


if __name__ == '__main__':
    app = QApplication(sys.argv)
    ex = Example()
    ex.show()
    app.exec_()

2.简单拖放

用鼠标左键点击这个按钮会在控制台中输出”press”消息。鼠标右击进行拖动。

import sys
from PyQt5.QtWidgets import QPushButton, QWidget, QApplication
from PyQt5.QtCore import Qt, QMimeData
from PyQt5.QtGui import QDrag


class Button(QPushButton):
    def __init__(self, title, parent):
        super().__init__(title, parent)

    def mouseMoveEvent(self, e):

        if e.buttons() != Qt.RightButton:
            return

        mimeData = QMimeData()

        drag = QDrag(self)
        drag.setMimeData(mimeData)
        drag.setHotSpot(e.pos() - self.rect().topLeft())

        dropAction = drag.exec_(Qt.MoveAction)

    def mousePressEvent(self, e): # 感觉右键拖拽实现起来不容易并且没什么用,还不如这个函数有意思

        QPushButton.mousePressEvent(self, e)

        if e.button() == Qt.LeftButton:
            print('press')


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

        self.initUI()

    def initUI(self):
        self.setAcceptDrops(True)

        self.button = Button('Button', self)
        self.button.move(100, 65)

        self.setWindowTitle('Click or Move')
        self.setGeometry(300, 300, 280, 150)

    def dragEnterEvent(self, e):
        e.accept()

    def dropEvent(self, e):
        position = e.pos()
        self.button.move(position)

        e.setDropAction(Qt.MoveAction)
        e.accept()


if __name__ == '__main__':
    app = QApplication(sys.argv)
    ex = Example()
    ex.show()
    app.exec_()

猜你喜欢

转载自blog.csdn.net/qq_34710142/article/details/80913537