在 QPlainTextEdit 元素中使用 Shift+Return 的 QShortcut & QKeySequence
QShortcut & QKeySequence with Shift+Return in a QPlainTextEdit element
我有一个元素,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
对我不起作用。
我分析了一个与我的错误相关的问题。我看过的一些帖子:
Best thing I've tried, almost worked up until I tried Shift+Return
解决了我自己的问题:
# ... 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)
我在这里做的是设置一个过滤函数——基本上,每次按下一个键(任何键,包括space/backspace/etc)它都会调用eventFilter
函数。第一个 if
语句确保过滤器只有在击键时才会通过(不完全确定这部分是否必要,我认为点击不会触发该功能)。之后,我使用 isKeyPressed
函数(keyboard
模块的 is_pressed
函数的重命名版本)来检测当前键是否被按下。使用 and
运算符,我可以使用它来制作键绑定组合。
我有一个元素,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
对我不起作用。
我分析了一个与我的错误相关的问题。我看过的一些帖子:
Best thing I've tried, almost worked up until I tried Shift+Return
解决了我自己的问题:
# ... 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)
我在这里做的是设置一个过滤函数——基本上,每次按下一个键(任何键,包括space/backspace/etc)它都会调用eventFilter
函数。第一个 if
语句确保过滤器只有在击键时才会通过(不完全确定这部分是否必要,我认为点击不会触发该功能)。之后,我使用 isKeyPressed
函数(keyboard
模块的 is_pressed
函数的重命名版本)来检测当前键是否被按下。使用 and
运算符,我可以使用它来制作键绑定组合。