为什么我的标签在我的QHBoxLayout中相互堆叠?

问题描述 投票:1回答:1

非常简单,我想使用Python的PYQT5在水平框布局内添加两个标签。

当我执行此代码时,即使将两个标签添加到QHBoxLayout上,也应该将它们从左到右放置在两个标签上。

我该如何解决?

  • 编译器:Python 3.7.4 32位
  • IDE:Visual Studio代码
  • 操作系统:Windows 10

我的代码:

import sys
from PyQt5.QtCore import Qt
from PyQt5.QtWidgets import *
from PyQt5.QtGui import *

class Interface(QMainWindow):
    def __init__(self):
        super().__init__()

        self.title = 'debug'
        self.mainLayout = QHBoxLayout()
        self.initGUI()

    def initGUI(self):
        self.setGeometry(0,0,200,200)
        self.setFixedSize(self.size())
        self.setWindowTitle(self.title)

        label1 = QLabel('test 1',self)
        label2 = QLabel('test 2',self)
        self.mainLayout.addWidget(label1)
        self.mainLayout.addWidget(label2)

        self.setLayout(self.mainLayout)
        self.show()    

    def close_application(self):
        sys.exit()

if __name__ == '__main__':
    app = QApplication([])
    window = Interface()
    sys.exit(app.exec_())
python pyqt pyqt5 qmainwindow qlayout
1个回答
0
投票

说明:

QMainWindow是具有默认布局的特殊小部件:

enter image description here

不允许建立其他布局,并且清楚地指出在终端/ CMD中执行代码时获得的错误消息:

QWidget::setLayout: Attempting to set QLayout "" on Interface "", which already has a layout

解决方案:

正如the docs所指出的,您必须创建一个用作容器的中央窗口小部件,然后设置布局:

def initGUI(self):
    self.setGeometry(0,0,200,200)
    self.setFixedSize(self.size())
    self.setWindowTitle(self.title)

    central_widget = QWidget() # <---
    self.setCentralWidget(central_widget) # <---

    label1 = QLabel('test 1')
    label2 = QLabel('test 2')
    self.mainLayout.addWidget(label1)
    self.mainLayout.addWidget(label2)

    central_widget.setLayout(self.mainLayout) # <---
    self.show()    
© www.soinside.com 2019 - 2024. All rights reserved.