我正在做一个项目,其中我有一个与Python接口链接的数据库(我正在使用Qt Designer进行设计)。我想从我的主窗口(QMainWindow
)有一个删除按钮,当我按下它时,它会打开一个弹出窗口(QDialog
)
是否确实要删除此项目?
但我不知道该怎么做。
感谢您的帮助!
def button_click():
dialog = QtGui.QMessageBox.information(self, 'Delete?', 'Are you sure you want to delete this item?', buttons = QtGui.QMessageBox.Ok|QtGui.QMessageBox.Cancel)
将此函数绑定到按钮单击事件。
假设你的Qt Designer UI有一个名为"MainWindow"的主窗口和一个名为"buttonDelete"的按钮。
第一步是设置主窗口类并将按钮的单击信号连接到处理程序:
from PyQt4 import QtCore, QtGui
from mainwindow_ui import Ui_MainWindow
class MainWindow(QtGui.QMainWindow, Ui_MainWindow):
def __init__(self):
QtGui.QMainWindow.__init__(self)
self.setupUi(self)
self.buttonDelete.clicked.connect(self.handleButtonDelete)
接下来,您需要向处理信号并打开对话框的 MainWindow
类添加一个方法:
def handleButtonDelete(self):
answer = QtGui.QMessageBox.question(
self, 'Delete Item', 'Are you sure you want to delete this item?',
QtGui.QMessageBox.Yes | QtGui.QMessageBox.No |
QtGui.QMessageBox.Cancel,
QtGui.QMessageBox.No)
if answer == QtGui.QMessageBox.Yes:
# code to delete the item
print('Yes')
elif answer == QtGui.QMessageBox.No:
# code to carry on without deleting
print('No')
else:
# code to abort the whole operation
print('Cancel')
这将使用内置的 QMessageBox 函数之一来创建对话框。前三个参数设置父项、标题和文本。接下来的两个参数设置显示的按钮组以及默认按钮(最初突出显示的按钮)。如果您想使用不同的按钮,可以在此处找到可用的按钮。
要完成该示例,您只需要一些代码来启动应用程序并显示窗口:
if __name__ == '__main__':
import sys
app = QtGui.QApplication(sys.argv)
window = MainWindow()
window.show()
sys.exit(app.exec_())
我在 qt5.6 上遇到了同样的错误
TypeError: question(QWidget, str, str, buttons: Union[QMessageBox.StandardButtons, QMessageBox.StandardButton] = QMessageBox.StandardButtons(QMessageBox.Yes|QMessageBox.No), defaultButton: QMessageBox.StandardButton = QMessageBox.NoButton): argument 1 has unexpected type 'Ui_MainWindow'
所以我在下面的代码中将self
更改为None
,它可以工作。
def handleButtonDelete(self):
answer = QtGui.QMessageBox.question(
None, 'Delete Item', 'Are you sure you want to delete this item?',
QtGui.QMessageBox.Yes | QtGui.QMessageBox.No |
QtGui.QMessageBox.Cancel,
QtGui.QMessageBox.No)
if answer == QtGui.QMessageBox.Yes:
# code to delete the item
print('Yes')
elif answer == QtGui.QMessageBox.No:
# code to carry on without deleting
print('No')
else:
# code to abort the whole operation
print('Cancel')