我们如何减少QPushButton
内的文字字符串与边缘之间的距离?
对我来说(在LXDE上)现在看起来像这样:
self.on_qpb = QtWidgets.QPushButton(self.tr("On"))
hbox.addWidget(self.on_qpb)
self.on_qpb.setCheckable(True)
self.on_qpb.toggled.connect(self.on_on_toggled)
我们希望有这样的事情:
我们使用setFixedWidth
实现了后者,但在翻译成其他语言时会产生问题
你能推荐什么?感谢帮助!
答案 0 :(得分:1)
一种可能的解决方案是在QFontMetrics
的帮助下根据文本设置文本的宽度,或者您可以创建一个实现具有大小策略的逻辑的类并返回适当的sizeHint()
如下例所示:
from PyQt5.QtCore import *
from PyQt5.QtWidgets import *
class PushButton(QPushButton):
def __init__(self, *args, **kwargs):
QPushButton.__init__(self, *args, **kwargs)
self.setSizePolicy(QSizePolicy.Maximum, QSizePolicy.Maximum)
def sizeHint(self):
w = self.fontMetrics().width(" {} ".format(self.text()))
h = QPushButton.sizeHint(self).height()
return QSize(w, h)
class Widget(QWidget):
def __init__(self, *args, **kwargs):
QWidget.__init__(self, *args, **kwargs)
hbox = QHBoxLayout(self)
self.on_qpb = QPushButton(self.tr("On"))
self.on_qpb.setCheckable(True)
self.on_qpb.setFixedWidth(self.on_qpb.fontMetrics().width(" {} ".format(self.on_qpb.text())))
self.off_qpb = PushButton(self.tr("Off"))
self.off_qpb.setCheckable(True)
hbox.addWidget(self.on_qpb)
hbox.addWidget(self.off_qpb)
if __name__ == '__main__':
import sys
app = QApplication(sys.argv)
w = Widget()
w.show()
sys.exit(app.exec_())