【PyQt5】{13} —— QMessageBox对话框

QMessageBox

QMessageBox类提供了一个模式对话框,用于通知用户或询问用户问题并接收答案。

在图形用户界面中,对话框(又称对话方块)是一种特殊的视窗,用来在用户界面中向用户显示信息,或者在需要的时候获得用户的输入响应。之所以称之为“对话框”是因为它们使计算机和用户之间构成了一个对话——或者是通知用户一些信息,或者是请求用户的输入,或者两者皆有。—— 维基百科

对话框可以增加程序与用户的交互能力,有时可以避免一些失误,如文件忘记保存:


QMessageBox提供了多种对话框:


以询问框为例:

QMessage.question(parent, title, content, button)

  • parent:表示对话框所归属的程序窗口。填写父类(通常为self);若不属于任何程序窗口,为None。
  • title:标题。
  • content:内容。
  • button:对话框按钮。

QMessage.question(None, ‘Question’, ‘Do you want to save it?’, QMessageBox.Yes | QMessageBox.No)

在这里插入图片描述

QMessage.question 的返回值是 QMessageBox.YesQMessageBox.No

多个对话框按钮用 | 连接


除此以外,QMessageBox还提供了以下按钮:

QMessageBox.Ok

QMessageBox.Close

QMessageBox.Cancel

QMessage.Open

QMessage.Save


# -*- coding: utf-8 -*-
"""
Created on Sat May  9 14:05:57 2020

@author: Giyn
"""

import sys
from PyQt5.QtWidgets import QApplication, QWidget, QPushButton, QVBoxLayout, QMessageBox


class Simple_Window(QWidget):
    def __init__(self):
        super(Simple_Window, self).__init__() # 使用super函数可以实现子类使用父类的方法
        self.setWindowTitle("QMessageBox")
        self.resize(400, 200)
        self.button1 = QPushButton("Question", self) # self是指定的父类Simple_Window,表示QLabel属于Simple_Window窗口
        self.button2 = QPushButton("Information", self)
        
        # 连接信号和槽
        self.button1.clicked.connect(lambda: self.show_msg_box(self.button1)) # 槽函数带有参数,使用lambda表达式封装函数
        self.button2.clicked.connect(lambda: self.show_msg_box(self.button2))
        
        self.v_layout = QVBoxLayout() # 实例化一个QVBoxLayout对象
        self.v_layout.addWidget(self.button1)
        self.v_layout.addWidget(self.button2)
        
        self.setLayout(self.v_layout) # 调用窗口的setLayout方法将总布局设置为窗口的整体布局
        
    def show_msg_box(self, button):
        if button == self.button1:
            QMessageBox.question(self, "Question", "Do you want to save it?", QMessageBox.Yes | QMessageBox.No)
        elif button == self.button2:
            QMessageBox.information(self, "Information", "I am an information.", QMessageBox.Ok)


if __name__ == "__main__":
    app = QApplication(sys.argv)
    window = Simple_Window()
    window.show()
    sys.exit(app.exec())

Output:

After clicking “Question”:

After clicking “Information”:


Reference:https://study.163.com/course/courseLearn.htm?courseId=1208995818

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章