如何使用 PyQt 减小 QComboBox 的大小?

How to reduce the size of a QComboBox with PyQt?

我用 PyQt 创建了一个小程序,在其中放置了一个 QComboBox,但是这个程序只包含 2 个字母的列表。程序window小,为了节省space,我想减少QComboBox的宽度。

这是现在的样子。宽度太大了。

我在网上搜索过,但是搜索了很多时间后,我仍然没有找到任何东西。如果您有想法,请先谢谢您。

有多种方法可以调整小部件的大小。假设 QComboBox 定义为:

combo = QComboBox(self)

一种方法是使用 QWidget.resize(width, height)

combo.resize(200,100)

要自动获取合适的尺寸,您可以使用QWidget.sizeHint() or sizePolicy()

combo.resize(combo.sizeHint())

如果要设置固定大小,可以使用setFixedSize(width, height), setFixedWidth(width), or setFixedHeight(height)

combo.setFixedSize(400,100)
combo.setFixedWidth(400)
combo.setFixedHeight(100)

这是一个例子:

from PyQt5.QtWidgets import (QWidget, QLabel, QComboBox, QApplication)
import sys

class ComboboxExample(QWidget):
    def __init__(self):
        super().__init__()

        self.label = QLabel("Ubuntu", self)

        self.combo = QComboBox(self)
        self.combo.resize(200,25)
        # self.combo.resize(self.combo.sizeHint())
        # self.combo.setFixedWidth(400)
        # self.combo.setFixedHeight(100)
        # self.combo.setFixedSize(400,100)
        self.combo.addItem("Ubuntu")
        self.combo.addItem("Mandriva")
        self.combo.addItem("Fedora")
        self.combo.addItem("Arch")
        self.combo.addItem("Gentoo")

        self.combo.move(25, 25)
        self.label.move(25, 75)

        self.combo.activated[str].connect(self.onActivated)        

        # self.setGeometry(0, 0, 500, 125)
        self.setWindowTitle('QComboBox Example')
        self.show()

    def onActivated(self, text):
        self.label.setText(text)
        self.label.adjustSize()  

if __name__ == '__main__':
    app = QApplication(sys.argv)
    ex = ComboboxExample()
    sys.exit(app.exec_())