1

我有一个元素,editorBox它是 PyQt5 元素类型QPlainTextEdit。我的目标是在Shift + Return按下热键时调用一个函数,我使用这个函数的目标是它还将文本插入到 editorBox 元素中(这不是我强调的部分,它很容易做到.insertPlainText()方法)。

我已经完成了搜索,我能找到的最接近的结果是像这样使用QShortcut&QKeySequence配对:

# Initialize the QShortcut class
self.keybindShiftEnter = QShortcut(QKeySequence("Shift+Return"), self)
# Connect the shortcut event to a lambda which executes my function
self.keybindShiftEnter.activated.connect(lambda: self.editorBox.insertPlainText("my text to insert"))

为了澄清起见,我尝试在QKeySequence构造函数中使用其他字符,例如Ctrl+b,并且我已经成功了。奇怪的是,只有组合Shift+Return对我不起作用。

我已经分析了与我的错误有关的问题。我看过的一些帖子:

4

1 回答 1

1

解决了我自己的问题:

# ... editorBox Initialization code ...
self.editorBox.installEventFilter(self)

# Within App class
def eventFilter(self, obj, event):
    if obj is self.editorBox and event.type() == QEvent.KeyPress:
        if isKeyPressed("return") and isKeyPressed("shift"):
            self.editorBox.insertPlainText("my text to insert")
            return True
    return super(App, self).eventFilter(obj, event)

我在这里所做的是设置一个过滤器功能-基本上,每次按下一个键(任何键,包括空格/退格/等)都会调用该eventFilter函数。第一条if语句确保过滤器只有在击键时才会通过(不完全确定这部分是否必要,我认为点击不会触发该功能)。之后,我利用该isKeyPressed函数(keyboard模块is_pressed函数的重命名版本)来检测当前键是否被按住。使用and操作员,我可以使用它来制作键绑定组合。

于 2020-07-29T20:36:35.163 回答