qt5信息提示框QMessageBox用法(很全)
information
QMessageBox::information(NULL, "Title", "Content",
|
这是比较常用的一种用法,效果如下:
information原型:
StandardButton QMessageBox::information(QWidget * parent, const QString & title, const QString & text, StandardButtons buttons = Ok, StandardButton defaultButton = NoButton) [static]
|
- 第一个参数是父控件指针
- 第二个参数是标题
- 第三个参数是内容
- 第四个参数是窗口里面要多少个按钮(默认为OK)
- 第五个参数指定按下Enter时使用的按钮。(默认为NoButton,此时QMessageBox会自动选择合适的默认值。)
示例1:
QMessageBox::information(NULL, "Title", "Content");
|
此时第四第五为默认参数,效果:
示例2:
QMessageBox::information(NULL, "Title", "Content",QMessageBox::Yes|QMessageBox::No);
|
此时效果(与图1相同):
示例三:
QMessageBox::information(NULL, "Title", "Content",QMessageBox::Yes|QMessageBox::No|
|
添加多个按钮用|运算符连接,效果:
按钮类型参考:
enum StandardButton {
|
会创建消息提示框后,我们怎么知道用户点了什么呢,看如下小例子:
QMessageBox:: StandardButton result= QMessageBox::information(NULL, "Title", "Content",QMessageBox::Yes|QMessageBox::No);
|
critical
critical adj. 关键的; 批评的,爱挑剔的; 严重的; 极重要的;
QMessageBox::critical(NULL, "critical", "Content", QMessageBox::Yes | QMessageBox::No, QMessageBox::Yes);
|
效果:
warning
QMessageBox::warning(NULL, "warning", "Content", QMessageBox::Yes | QMessageBox::No, QMessageBox::Yes);
|
效果:
question
QMessageBox::question(NULL, "question", "Content", QMessageBox::Yes | QMessageBox::No, QMessageBox::Yes);
|
效果:
about
原型:static void about(QWidget *parent, const QString &title, const QString &text);
QMessageBox::about(NULL, "About", "by hjwblog.com");
|
效果:
使用QMessageBox对象
如果是自己创建的QMessageBox对象,而不是用上面的static函数
示例1:
void MainWindow::on_pushButton_clicked()
|
这里在按钮的clicked槽里面创建了一个QMessageBox,但是这样会出现消息框一闪而过。这是因为c++局部变量的生命周期结束了,QMessageBox messageBox
是函数局部变量,函数结束后它的生命周期也结束了。
示例2:
void MainWindow::on_pushButton_clicked()
|
效果:
这样就好理解了,c++函数里面的static变量在函数结束时不会被回收。
示例3:
void MainWindow::on_pushButton_clicked()
|
这样写也能显示提示框,但是这样会内存泄漏。
示例4:
前面的用法都不太完美,我们希望能方便的显示提示框并且获取用户点击了哪个按钮。因为QMessageBox
继承QDialog
,而QDialog
有一个神奇的函数exec()
,调用这个函数后,消息循环会在这个函数里面进行更新,而调用它的函数是被“暂停”的,就是说等用户点击按钮后,调用exec()
的函数才继续执行。
直接上代码:
void MainWindow::on_pushButton_clicked()
|
上面的代码实现了点击按钮退出,并且在退出前确定的功能。exec()
的返回值和前面的information()
一样,是整数(information()是枚举)。可以通过返回值来确定用户点击了哪个按钮。
QMessageBox对象调用exec()
函数能实现与前面的几个静态函数相似的功能。