我认为对于我来说很基本的概念存在一些重大问题。
我创建了一个自定义小部件,它实际上只是一小部分小部件,因此会出现几次。
class CustomWidget : public QWidget {
Q_OBJECT
public:
explicit CustomWidget(QWidget parent=nullptr) : QWidget(parent) {
spinboxA = new QSpinBox;
spinboxB = new QSpinBox;
QHBoxLayout* layout = new QHBoxLayout(this);
layout.addWidget(spinboxA);
layout.addWidget(spinboxB);
this->setLayout(layout);
}
private:
QSpinBox* spinboxA;
QSpinBox* spinboxB;
};
然后在gui中使用此自定义窗口小部件。我当然希望这个GUI对Spinboxes的值的变化做出反应。据我了解,我可以
1)提供QSpinBox
的getter并将其信号连接到类之外。
2)像下面的示例一样“重新路由”他们的信号
connect(customwidget->getSpinboxA(),SIGNAL(valueChanged(int)),this,SLOT(doSomething(int)));
使用的@ 1)吗?
@ 2)
class CustomWidget : public QWidget {
Q_OBJECT
public:
explicit CustomWidget(QWidget parent=nullptr) : QWidget(parent) {
spinboxA = new QSpinBox;
spinboxB = new QSpinBox;
QHBoxLayout* layout = new QHBoxLayout;
layout.addWidget(spinboxA);
layout.addWidget(spinboxB);
this->setLayout(layout);
connect(spinboxA,SIGNAL(valueChanged(int)),//...
this,SLOT(onSpinboxAValueChanged(int)));
}
private:
QSpinBox* spinboxA;
QSpinBox* spinboxB;
private slots:
void onSpinboxAValueChanged(int x) {emit spinboxAValueChanged(x);}
//...
signals:
void spinboxAValueChanged(int x)
};
在gui类中,connect(customwidget,SIGNAL(spinboxAValueChanged(int),this,SLOT(doSomething(int)));
特别是版本2)看起来很混乱,并且...我在问自己-如何连接到自定义小部件内的小部件信号?
答案 0 :(得分:3)
CustomWidget应该是模块化的,也就是说,它应该像黑盒子一样,应该在其中建立输入并获得输出,因此对我来说第二种解决方案非常接近它,但是我看到可以改进的地方:不必创建仅用于发射信号的插槽,可以将信号连接到其他信号,我也建议使用新的连接语法。
#include <QApplication>
#include <QHBoxLayout>
#include <QSpinBox>
#include <QWidget>
#include <QDebug>
class CustomWidget : public QWidget {
Q_OBJECT
public:
explicit CustomWidget(QWidget *parent =nullptr):
QWidget(parent),
spinboxA(new QSpinBox),
spinboxB(new QSpinBox)
{
QHBoxLayout* layout = new QHBoxLayout(this);
layout->addWidget(spinboxA);
layout->addWidget(spinboxB);
connect(spinboxA, QOverload<int>::of(&QSpinBox::valueChanged), this, &CustomWidget::spinboxAValueChanged);
connect(spinboxB, QOverload<int>::of(&QSpinBox::valueChanged), this, &CustomWidget::spinboxBValueChanged);
// old syntax:
// connect(spinboxA, SIGNAL(valueChanged(int)), this, SIGNAL(spinboxAValueChanged(int)));
// connect(spinboxB, SIGNAL(valueChanged(int)), this, SIGNAL(spinboxBValueChanged(int)));
}
private:
QSpinBox *spinboxA;
QSpinBox *spinboxB;
signals:
void spinboxAValueChanged(int x);
void spinboxBValueChanged(int x);
};
int main(int argc, char *argv[])
{
QApplication a(argc, argv);
CustomWidget w;
QObject::connect(&w, &CustomWidget::spinboxAValueChanged, [](int i){
qDebug()<< "spinboxAValueChanged: "<< i;
});
QObject::connect(&w, &CustomWidget::spinboxBValueChanged, [](int i){
qDebug()<< "spinboxBValueChanged: "<< i;
});
w.show();
return a.exec();
}
#include "main.moc"