主要按下按钮创建的QObject

时间:2016-12-12 09:55:01

标签: c++ string qt qobject

我正在制作一个应用程序,在某些时候,用户将创建某种来自/调查。创建时,用户通过按下按钮选择各种问题类型等,将创建一个新对象。

要创建新部分,例如:

void CreateSurvey::question_section()
{
 QLabel *sectionTitle = new QLabel();
 sectionTitle->setText("New Section");
 layout->addWidget(sectionTitle);

 QLabel *titleLabel = new QLabel("Title");
 QLineEdit *titleEdit = new QLineEdit("New Section");

 QHBoxLayout *hLayout = new QHBoxLayout;
 hLayout->addWidget(titleLabel);
 hLayout->addWidget(titleEdit);

 layout->addLayout(hLayout);

 sectionCount++;
 qDebug() << "sections: " << sectionCount;
}

当应用程序运行时,文本&#39; TitleEdit&#39;将由用户编辑该部分的标题。 说这已经被调用了3次,所以有3个部分。如何获取为每个部分的标题输入的字符串?或者如何获取为特定部分输入的字符串?

由于

2 个答案:

答案 0 :(得分:1)

您可以使用QVector之类的容器来存储QLineEdit个对象。使用此容器可以访问每个QLineEdit对象的文本。

#include <QApplication>
#include <QtWidgets>

class Survey : public QWidget
{
    Q_OBJECT
public:
    Survey(QWidget *parent = Q_NULLPTR) : QWidget(parent)
    {
        resize(600, 400);
        setLayout(new QVBoxLayout);
        layout()->setAlignment(Qt::AlignTop);
        QPushButton *button = new QPushButton("Add line edit");
        connect(button, &QPushButton::clicked, this, &Survey::addLineEdit);
        layout()->addWidget(button);    
        QPushButton *print_button = new QPushButton("Print all text");    
        connect(print_button, &QPushButton::clicked, this, [=]
        {
            for(int i = 0; i < line_edit_vector.size(); i++)
                qDebug() << getText(i);
        });    
        layout()->addWidget(print_button);
    }

    QString getText(int index) const
    {
        if(line_edit_vector.size() > index)
            return line_edit_vector[index]->text();
        return QString();
    }

private slots:
    void addLineEdit()
    {
        QLineEdit *edit = new QLineEdit("Line edit");
        layout()->addWidget(edit);
        line_edit_vector.append(edit);
    }

private:
    QVector<QLineEdit*> line_edit_vector;
};

int main(int argc, char *argv[])
{
    QApplication a(argc, argv);
    Survey survey;
    survey.show();
    return a.exec();
}

#include "main.moc"

答案 1 :(得分:0)

CreateSurvey标题中添加

public slot:
    void title_changed();

question_section方法中添加连接:

connect(titleEdit,SIGNAL(editingFinished()),this,SLOT(title_changed()));

并添加title_changed广告位:

void CreateSurvey::title_changed()
{
    QLineEdit *titleEdit=qobject_cast<QLineEdit*>(sender());
    if (titleEdit) {
      qDebug() << titleEdit->text();
    }
}

这样,每次编辑一行时,都会触发插槽title_changed

如果您想在编辑一个后知道所有标题,请使用此广告位:

void CreateSurvey::title_changed()
{
     for (int i = 0; i < layout->count(); ++i) {
         QLineEdit *titleEdit=qobject_cast<QLineEdit*>(layout->itemAt(i));
         if (titleEdit) {
             qDebug() << titleEdit->text();
         }
     }
}