我正在为使用Qt框架的考试做准备,我想知道如何以基本方式使用QInputDialog和QMessageBox(我的考试是手写编码)

Qt API确实使人难以理解使用时间,这对我的项目来说很好,因为我可以以一种真正的“hacky”方式完成我想要的东西,而我在这方面的书本布局很差。

让我指出,在这种情况下使用QInputDialog和QMessageBox的干净方法是什么:

#include <QApplication>
#include <QInputDialog>
#include <QDate>
#include <QMessageBox>

int computeAge(QDate id) {
  int years = QDate::currentDate().year() - id.year();
  int days = QDate::currentDate().daysTo(QDate
              (QDate::currentDate().year(), id.month(), id.day()));
  if(days > 0)
    years--;
  return years
}

int main(int argc, char *argv[]) {
  QApplication a(argc, argv);
  /*  I want my QInputDialog and MessageBox in here somewhere */
  return a.exec();
}

对于我的QInputDialog,我希望用户给出他们的出生日期(不必担心输入验证)
我想使用QMessageBox来显示用户的年龄

我只是不了解在基本情况下需要将哪些参数输入QInputDialog和QMessageBox中,因为那里似乎没有任何示例。

我将如何完成?

最佳答案

您可以执行以下操作:

int main(int argc, char *argv[])
{
    QApplication app(argc, argv);

    bool ok;
    // Ask for birth date as a string.
    QString text = QInputDialog::getText(0, "Input dialog",
                                         "Date of Birth:", QLineEdit::Normal,
                                         "", &ok);
    if (ok && !text.isEmpty()) {
        QDate date = QDate::fromString(text);
        int age = computeAge(date);
        // Show the age.
        QMessageBox::information (0, "The Age",
                                  QString("The age is %1").arg(QString::number(age)));
    }
    [..]

10-05 20:01