使用 Windows 上的 PySide/PyQT 移除 QPushButton 周围奇怪的一像素 space

Remove the strange one-pixel space around QPushButton with PySide/PyQT on Windows

这是我当前的代码。

import sys
from PySide6.QtWidgets import (
    QApplication,
    QGridLayout,
    QProgressBar,
    QPushButton,
    QTableWidget,
    QWidget
)


class Window(QWidget):
    def __init__(self):
        super().__init__()
        self.setWindowTitle("Example")
        layout = QGridLayout()
        layout.setContentsMargins(6, 6, 6, 6)
        layout.addWidget(QTableWidget(), 0, 0, 1, 3)
        bar = QProgressBar()
        bar.setValue(50)
        bar.setTextVisible(False)
        layout.addWidget(bar, 1, 0, 1, 2)
        btn = QPushButton("OK")
        layout.addWidget(btn, 1, 2, 1, 1)
        self.setLayout(layout)


if __name__ == "__main__":
    app = QApplication(sys.argv)
    window = Window()
    window.show()
    sys.exit(app.exec_())

如您所见,按钮周围有一个奇怪的单像素 space。

有办法删除吗?

我尝试使用 CSS 并设置负边距但没有成功。

这完全取决于 QStyle,显然 Windows 按钮的边距比其他小部件稍大。

这无法通过使用样式表来解决,除非您为 所有 按钮状态(正常、按下、禁用等)。

只有两个解决方案:绕过widget上的绘制,或者使用proxystyle。

paintEvent() 覆盖

class BiggerButton(QtWidgets.QPushButton):
    def paintEvent(self, event):
        if self.style().proxy().objectName() != 'windowsvista':
            super().paintEvent(event)
            return
        opt = QtWidgets.QStyleOptionButton()
        self.initStyleOption(opt)
        opt.rect.adjust(-1, -1, 1, 1)
        qp = QtWidgets.QStylePainter(self)
        qp.drawControl(QtWidgets.QStyle.CE_PushButton, opt)

class Window(QtWidgets.QWidget):
    def __init__(self):
        # ...
        btn = BiggerButton("OK")

QProxyStyle

class Proxy(QtWidgets.QProxyStyle):
    def drawControl(self, ctl, opt, qp, widget=None):
        if ctl == self.CE_PushButton:
            opt.rect.adjust(-1, -1, 1, 1)
        super().drawControl(ctl, opt, qp, widget)

# ...
app = QtWidgets.QApplication(sys.argv)
if app.style().objectName() == 'windowsvista':
    app.setStyle(Proxy())