1

我对信号和插槽的实际工作方式有一个基本的疑问。这是我的代码段。

查找对话框.cpp:

#include "finddialog.h"
#include <QtGui>
#include <QHBoxLayout>
#include <QVBoxLayout>


FindDialog::FindDialog(QWidget *parent) :   QDialog(parent) {

    //VAR INITIALIZATIONS
    label = new QLabel(tr("Find &what:"));
    lineEdit = new QLineEdit;
    label->setBuddy(lineEdit);

    caseCheckBox = new QCheckBox(tr("Match &case"));
    backwardCheckBox = new QCheckBox(tr("Search &backward"));

    findButton = new QPushButton("&Find");
    findButton->setDefault(true);
    findButton->setEnabled(false);

    closeButton = new QPushButton(tr("&Quit"));

    //SIGNALS & SLOTS
    connect (lineEdit, SIGNAL(textChanged(const QString&)),this, SLOT(enableFindButton(const QString&)));
    connect (findButton, SIGNAL(clicked()), this, SLOT(findClicked()));
    connect (closeButton,SIGNAL(clicked()), this, SLOT(close()));

   //Layout
    QHBoxLayout *topLeftLayout = new QHBoxLayout;
    topLeftLayout->addWidget(label);
    topLeftLayout->addWidget(lineEdit);

    QVBoxLayout *leftLayout = new QVBoxLayout;
    leftLayout->addLayout(topLeftLayout);
    leftLayout->addWidget(caseCheckBox);
    leftLayout->addWidget(backwardCheckBox);

    QVBoxLayout *rightLayout = new QVBoxLayout;
    rightLayout->addWidget(findButton);
    rightLayout->addWidget(closeButton);
    rightLayout->addStretch();

    QHBoxLayout *mainLayout = new QHBoxLayout;
    mainLayout->addLayout(leftLayout);
    mainLayout->addLayout(rightLayout);

    //Complete window settings

    setLayout(mainLayout);

    setWindowTitle(tr("Find"));
    setFixedHeight(sizeHint().height());

}

//Function Definition
void FindDialog::findClicked()  {

    QString text = lineEdit->text();
    Qt::CaseSensitivity cs = caseCheckBox->isChecked() ? Qt::CaseSensitive : Qt::CaseInsensitive;
    if(backwardCheckBox->isChecked())
        emit findPrevious(text, cs);
    else
        emit findNext(text,cs);
}

void FindDialog::enableFindButton(const QString &text1) {
    findButton->setEnabled(!text1.isEmpty());
}

使用此代码,编译器如何知道传递给 enableFindButton(QString &) 函数的内容。没有对 enableFindButton() 的函数调用。在连接语句中有对 enableFindButton() 的引用,但这不是更像原型,因为我们没有在其参数中提供要使用的变量的名称吗?

connect (lineEdit, SIGNAL(textChanged(const QString&)),this, SLOT(enableFindButton(const QString&)));

这里只有 (const QString &) 是参数并且没有给出变量。应用程序如何在不显式传递参数的情况下知道它的参数是什么?

 void FindDialog::enableFindButton(const QString &text1) {
    findButton->setEnabled(!text1.isEmpty());
}

这里 &text1 也是一个参考参数。但是为了什么?输入完这一切后,我现在什么都不懂!:-|

4

2 回答 2

1

当您构建项目时,Qt 正在生成使其工作的代码。

SIGNAL, SLOT, 等是在qobjectdefs.h中定义的预处理器宏

moc然后,当您构建项目时,它们会在 QT 中被拾取,并生成所有所需的代码,然后进行编译。

可以在这里找到一个更详细地解释这一点的不错的页面

于 2013-07-20T18:40:51.307 回答
0

C++ 源代码由 Qt 元对象编译器 (moc) 处理。它为 QObject 插槽生成“签名”字符串。签名包含方法名称和参数(类型、参数的名称在签名中无关紧要)。每当发出信号时,都会直接执行签名匹配(在直接连接的情况下)或在事件循环中(对于排队连接),并调用相应的方法。Moc 编译器生成将匹配签名并调用方法的所有必要代码。如果有兴趣,请查看其中一个生成的 *.cxx 文件。

于 2013-07-20T18:41:32.077 回答