前提:可能不是一个好主意
UI 元素有已知的约定,用户已经习惯了它们,并期望对众所周知的元素类型执行“操作”会导致同样已知的结果。
虽然组框更像是一种边缘情况,但 Qt 的默认行为遵循约定:切换复选框会导致切换其内容的启用状态。
由于 UI 元素应始终尝试遵循约定并使用户操作的可能结果尽可能可预测,因此更好的解决方案是添加一个“顶级”按钮组,将所有框设置为选中或未选中(“检查所有”和“不检查”)。
为什么它不起作用?
首先,achangeEvent
不是信号,因此您不能尝试“连接”它(始终在 Qt 文档中查找函数类型,如果它是信号,[signal]
除了定义之外,它还有一个符号)。
它是一个事件处理程序,它需要一个事件实例作为参数,而不是类型。
然后,切换组框的复选框会更改其子EnabledChange
项的状态,而不是组框的状态,因此您在切换时永远不会收到事件。
如果您考虑一下,这很明显:如果在切换其复选框时整个组框被禁用,您永远不能再次单击它来启用它,因为默认情况下禁用的小部件会忽略输入事件,并且标题和复选框都会也显示为禁用。
可能的解决方案
有多种可能的解决方案,包括子类化 QFrame 并绘制复选框和标题,但使其符合当前样式将非常(并且不必要)困难。
最佳选择通常是对默认行为进行较少更改的选择。
在这种情况下,我的建议是做两件事:
由于状态是为组框内部定义的,我们需要覆盖它的值:当复选框(理论上)选中或未选中时(因此,无论子小部件是否启用)initStyleOption()
添加选项的状态标志,但是我们必须根据复选框状态来设置选项状态。为了做到这一点,我们必须检查所有复选框并验证是否所有复选框都被选中,其中任何一个都被选中,或者没有。State_On
State_Off
from PyQt5 import QtCore, QtWidgets
class Custom_QGroupBox(QtWidgets.QGroupBox):
checkAllIfAny = True
def __init__(self, *args, **kwargs):
super(Custom_QGroupBox, self).__init__(*args, **kwargs)
self.setCheckable(True)
self.checkBoxes = []
self.toggled.connect(self.toggleCheckBoxes)
def addCheckBox(self, cb):
self.checkBoxes.append(cb)
cb.toggled.connect(self.update)
cb.destroyed.connect(lambda: self.removeCheckBox(cb))
def removeCheckBox(self, cb):
try:
self.checkBoxes.remove(cb)
cb.toggled.disconnect(self.update)
except:
pass
def allStates(self):
return [cb.isChecked() for cb in self.checkBoxes]
def toggleCheckBoxes(self):
if self.checkAllIfAny:
state = not all(self.allStates())
else:
state = not any(self.allStates())
for widget in self.children():
if not widget.isWidgetType():
continue
if not widget.testAttribute(QtCore.Qt.WA_ForceDisabled):
# restore the enabled state in order to override the default
# behavior of setChecked(False); previous explicit calls for
# setEnabled(False) on the target widget will be ignored
widget.setEnabled(True)
if widget in self.checkBoxes:
widget.setChecked(state)
def paintEvent(self, event):
opt = QtWidgets.QStyleOptionGroupBox()
self.initStyleOption(opt)
states = self.allStates()
if all(states):
# force the "checked" state
opt.state |= QtWidgets.QStyle.State_On
opt.state &= ~QtWidgets.QStyle.State_Off
else:
# force the "not checked" state
opt.state &= ~QtWidgets.QStyle.State_On
if any(states):
# force the "not unchecked" state and set the tristate mode
opt.state &= ~QtWidgets.QStyle.State_Off
opt.state |= QtWidgets.QStyle.State_NoChange
else:
# force the "unchecked" state
opt.state |= QtWidgets.QStyle.State_Off
painter = QtWidgets.QStylePainter(self)
painter.drawComplexControl(QtWidgets.QStyle.CC_GroupBox, opt)
app = QtWidgets.QApplication([])
groupBox = Custom_QGroupBox('Group options')
layout = QtWidgets.QGridLayout(groupBox)
o = 0
for c in range(2):
for r in range(4):
o += 1
cb = QtWidgets.QCheckBox('Option {}'.format(o))
groupBox.addCheckBox(cb)
layout.addWidget(cb, r, c)
groupBox.show()
app.exec_()