Qt创建MDI文档窗口

时间:2015-09-12 03:40:50

标签: c++ qt mdi

我正在尝试创建一个MDI文档程序。我有关于创建子窗口的问题。

这是我的主窗口构造函数:

MainWindow::MainWindow(QWidget *parent) :
    QMainWindow(parent),
    ui(new Ui::MainWindow)
{
    ui->setupUi(this);
    setWindowTitle(tr("MDI"));

    workspace = new QMdiArea;
    setCentralWidget(workspace);
    //fileNew();

    createActions();
    createMenus();
    createToolbars();

    statusBar()->showMessage(tr("Done"));

    enableActions();
}

有趣的是fileNew();函数。它实际上是一个私有插槽函数,我想在触发“新建文件”按钮时调用它。这是私人广告位fileNew()功能:

void MainWindow::fileNew()
{
    DocumentWindows* document = new DocumentWindows;
    workspace->addSubWindow(document);
}

当我从mainwindow构造函数调用时,此函数非常有效。但是,当我从使用信号槽机制的createActions();函数调用它时会出现问题。

这是我的createActions()

void MainWindow::createActions()
{
    newAction = new QAction(QIcon(":/Image/NewFile.png"),tr("&New"),this);
    newAction->setShortcut(tr("Ctrl+N"));
    newAction->setToolTip(tr("Open new document"));
    connect(newAction, SIGNAL(triggered(bool)), this, SLOT(fileNew()));
}

即使触发了SLOT,也不会创建子窗口。随后,我发现如果我添加document->show();,一切都会运作良好。

void MainWindow::fileNew()
{
    DocumentWindows* document = new DocumentWindows;
    workspace->addSubWindow(document);
    document->show();
}

我的问题是:为什么在SLOT中需要show()函数而在构造函数中不需要?{/ p>

PS。 DocumentWindows只是一个类继承QTextEdit

1 个答案:

答案 0 :(得分:1)

此问题与正在使用的小部件类无关。它与文档,MDI或主窗口无关。将子窗口小部件添加到已经可见的窗口小部件后,您必须明确show它。否则,小部件将保持隐藏状态。

默认情况下隐藏所有小部件。当您最初show MainWindow时,其所有子项也会以递归方式显示。稍后添加子MDI窗口小部件时,它将保持隐藏状态。将小部件添加到布局时,默认情况下会显示它们 - 但您的小部件由MDI区域管理,而不是由布局管理。

这是一个展示您问题的最小测试用例:

// https://github.com/KubaO/stackoverflown/tree/master/questions/widget-show-32534931
#include <QtWidgets>

int main(int argc, char ** argv) {
    QApplication app{argc, argv};
    QWidget w;
    w.setMinimumSize(200, 50);
    QLabel visible{"Visible", &w};
    w.show();
    QLabel invisible{"Invisible", &w};
    invisible.move(100, 0);
    return app.exec();
}