PySide2 | Finding out which QKeySequence was pressed

时光毁灭记忆、已成空白 提交于 2019-12-11 04:48:42

问题


I'm using PySide2 and I want to have multiple shortcuts that carry out the same function but also would depend on which key was pressed.

I tried to link the functions as such inside a QMainWindow:

QtWidgets.QShortcut(QtGui.QKeySequence("1"),self).activated.connect(self.test_func)
QtWidgets.QShortcut(QtGui.QKeySequence("2"),self).activated.connect(self.test_func)

Such that they both execute this function.

def test_func(self, signal):
    print(signal)

Hoping that print("1") happens when the key "1" is pressed and print("2") happens when the second key is pressed. When I tried running this and press the keys 1 and 2, I get this error:

TypeError: test_func() missing 1 required positional argument: 'signal'

How can I accomplish this?


回答1:


The activated signal does not send any information so the one option is to obtain the object that emits the signal (ie the QShortcut) to obtain the QKeySequence, and from the latter the string:

from PySide2 import QtCore, QtGui, QtWidgets

class MainWindow(QtWidgets.QMainWindow):
    def __init__(self, parent=None):
        super(MainWindow, self).__init__(parent)
        QtWidgets.QShortcut(QtGui.QKeySequence("1"), self, activated=self.test_func)
        QtWidgets.QShortcut(QtGui.QKeySequence("2"), self, activated=self.test_func)

    @QtCore.Slot()
    def test_func(self):
        shorcut = self.sender()
        sequence = shorcut.key()
        print(sequence.toString())

if __name__ == '__main__':
    import sys
    app = QtWidgets.QApplication(sys.argv)
    w = MainWindow()
    w.show()
    sys.exit(app.exec_())


来源:https://stackoverflow.com/questions/55193612/pyside2-finding-out-which-qkeysequence-was-pressed

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!