我有一个运行一些嵌入式Python脚本的MFC应用程序。我试图使这个嵌入式脚本创建模态的对话框之一,但我没有取得多大成功。
有人能指出我制作模态对话的方法吗?我是否需要使用Windows函数或仅使用Tk或Python函数?
对于我用Google搜索的内容,看起来以下功能组合应该具有魔力,但它们似乎不像我期望的那样工作:
focus_set()
grab_set()
transient(parent)
答案 0 :(得分:7)
grab_set
是使窗口“应用模式”的正确机制。也就是说,它需要来自同一应用程序中所有其他窗口的所有输入(即:同一进程中的其他Tkinter窗口),但它允许您与其他应用程序进行交互。
如果您希望对话框是全局模态的,请使用grab_set_global
。这将接管整个系统的所有键盘和鼠标输入。使用它时必须非常小心,因为如果你有一个阻止你的应用程序释放抓取的错误,你可以很容易地将自己锁在你的计算机之外。
当我需要这样做时,在开发过程中,我会尝试编写一个防弹故障保护措施,例如定时器,它会在一段固定的时间后释放抓取。
答案 1 :(得分:0)
在我的一个项目中,我使用Tcl窗口管理器属性'-disabled'到父窗口,它调用了一个(模态)顶层对话窗口。
不知道您使用MFC应用程序显示哪些窗口是使用Tcl创建或使用的,但如果您的父窗口是基于Tk的,则可以执行此操作:
在Python中,只需调用顶层窗口的创建方法中的父窗口:
MyParentWindow.wm_attributes("-disabled", True)
在你的模态窗口得到你想要的东西后,别忘了在你的模态窗口中使用回调函数,再次在父窗口上启用输入! (否则你将无法再与父窗口互动!):
MyParentWindow.wm_attributes("-disabled", False)
Tkinter(Tcl版本8.6)Python示例(在Windows 10 64位上测试):
# Python 3+
import tkinter as tk
from tkinter import ttk
class SampleApp(tk.Tk):
def __init__(self, *args, **kwargs):
tk.Tk.__init__(self, *args, **kwargs)
self.minsize(300, 100)
self.button = ttk.Button(self, text="Call toplevel!", command=self.Create_Toplevel)
self.button.pack(side="top")
def Create_Toplevel(self):
# THE CLUE
self.wm_attributes("-disabled", True)
# Creating the toplevel dialog
self.toplevel_dialog = tk.Toplevel(self)
self.toplevel_dialog.minsize(300, 100)
# Tell the window manager, this is the child widget.
# Interesting, if you want to let the child window
# flash if user clicks onto parent
self.toplevel_dialog.transient(self)
# This is watching the window manager close button
# and uses the same callback function as the other buttons
# (you can use which ever you want, BUT REMEMBER TO ENABLE
# THE PARENT WINDOW AGAIN)
self.toplevel_dialog.protocol("WM_DELETE_WINDOW", self.Close_Toplevel)
self.toplevel_dialog_label = ttk.Label(self.toplevel_dialog, text='Do you want to enable my parent window again?')
self.toplevel_dialog_label.pack(side='top')
self.toplevel_dialog_yes_button = ttk.Button(self.toplevel_dialog, text='Yes', command=self.Close_Toplevel)
self.toplevel_dialog_yes_button.pack(side='left', fill='x', expand=True)
self.toplevel_dialog_no_button = ttk.Button(self.toplevel_dialog, text='No')
self.toplevel_dialog_no_button.pack(side='right', fill='x', expand=True)
def Close_Toplevel(self):
# IMPORTANT!
self.wm_attributes("-disabled", False) # IMPORTANT!
self.toplevel_dialog.destroy()
# Possibly not needed, used to focus parent window again
self.deiconify()
if __name__ == "__main__":
app = SampleApp()
app.mainloop()
有关Tcl窗口管理器属性的更多信息,请查看Tcl文档:https://wiki.tcl.tk/9457