小能豆

QPlainTextEdit 元素中的 QShortcut 和 QKeySequence 与 Shift+Return

py

我有一个元素,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对我不起作用。


阅读 5

收藏
2025-01-13

共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

2025-01-13