我正在尝试在Tkinter中自定义标题栏。
使用以下代码:
def move_window(event):
app.geometry('+{0}+{1}'.format(event.x_root, event.y_root))
if __name__ == "__main__":
app = SampleApp()
app.overrideredirect(True)
screen_width = app.winfo_screenwidth()
screen_height = app.winfo_screenheight()
x_coordinate = (screen_width/2) - (1050/2)
y_coordinate = (screen_height/2) - (620/2)
app.geometry("{}x{}+{}+{}".format(1050, 650, int(x_coordinate), int(y_coordinate)))
title_bar = Frame(app, bg='#090909', relief='raised', bd=0, height=20, width=1050)
close_button = Button(title_bar, text='X', command=app.destroy, width=5, bg="#090909", fg="#888", bd=0)
title_bar.place(x=0, y=0)
close_button.place(rely=0, relx=1, x=0, y=0, anchor=NE)
title_bar.bind('<B1-Motion>', move_window)
app.mainloop()
我的代码结构基于此Switch between two frames in tkinter
我希望能够添加最小化按钮。我尝试使用app.iconify()
作为命令创建类似于关闭按钮的按钮,但这不会与overrideredirect(True)
一起使用。
如果它出现在任务栏上也很好。
此外,移动有一个很大的问题,即无论何时尝试移动窗口,它都会移动窗口,使其左上角位于光标所在的位置。这非常烦人,并不是Windows的典型行为。
如果有人知道如何解决这些问题,我们将不胜感激。
编辑:我现在设法制作了一个自定义标题栏,我可以使用它来无缝拖动窗口。我还让应用程序显示在任务栏中,并在标题栏中添加了最小化按钮。但是,我无法让最小化按钮实际工作。答案 0 :(得分:0)
标题栏和所有其他窗口装饰(最大化,最小化和恢复按钮以及窗口的任何边缘)由窗口管理器拥有和管理。 Tk必须要求窗口管理器对它们做任何事情,这就是为什么设置应用程序标题是wm_title()
调用。通过设置overrideredirect标志,您已请求窗口管理完全停止装饰窗口,您现在使用框架在窗口的客户区域伪造标题栏。
我的建议是停止对抗系统。那是什么窗口管理器主题,Windows不会让你真正搞乱这些。如果你真的还想继续这条路线你可以创建窗框装饰作为Ttk主题元素,因为它们是当前样式集合的一部分,可以使用vsapi ttk元素引擎创建。 Visual Styles API中的一些值:
| Function | Class | ID | Numerical ID |
+-------------+---------+------------------+--------------+
| Minimize | WINDOW | WP_MINBUTTON | 15 |
| Maximize | WINDOW | WP_MAXBUTTON | 17 |
| Close | WINDOW | WP_CLOSEBUTTON | 18 |
| Restore | WINDOW | WP_RESTOREBUTTON | 21 |
我在这样的python中使用了这些来获取一个closebutton元素,然后你可以将其包含在ttk widget样式中。
style = ttk.Style()
# There seems to be some argument parsing bug in tkinter.ttk so cheat and eval
# the raw Tcl code to add the vsapi element for a pin.
root.eval('''ttk::style element create closebutton vsapi WINDOW 18 {
{pressed !selected} 3
{active !selected} 2
{pressed selected} 6
{active selected} 5
{selected} 4
{} 1
}''')
然而,我怀疑你可能仍然想要避免这些按钮的主题性质,所以你更可能只想使用png图像并使用画布而不是框架。然后,您可以使用标记绑定轻松地在伪标题栏按钮上拾取事件。
#!/usr/bin/env python3
"""
Q: Trouble making a custom title bar in Tkinter
https://stackoverflow.com/q/49621671/291641
"""
import tkinter as tk
import tkinter.ttk as ttk
from ctypes import windll
GWL_EXSTYLE=-20
WS_EX_APPWINDOW=0x00040000
WS_EX_TOOLWINDOW=0x00000080
def set_appwindow(root):
"""Change the window flags to allow an overrideredirect window to be
shown on the taskbar.
(See https://stackoverflow.com/a/30819099/291641)
"""
hwnd = windll.user32.GetParent(root.winfo_id())
style = windll.user32.GetWindowLongPtrW(hwnd, GWL_EXSTYLE)
style = style & ~WS_EX_TOOLWINDOW
style = style | WS_EX_APPWINDOW
res = windll.user32.SetWindowLongPtrW(hwnd, GWL_EXSTYLE, style)
# re-assert the new window style
root.wm_withdraw()
root.after(10, lambda: root.wm_deiconify())
def create_button_element(root, name, id):
"""Create some custom button elements from the Windows theme.
Due to a parsing bug in the python wrapper, call Tk directly."""
root.eval('''ttk::style element create {0} vsapi WINDOW {1} {{
{{pressed !selected}} 3
{{active !selected}} 2
{{pressed selected}} 6
{{active selected}} 5
{{selected}} 4
{{}} 1
}} -syssize {{SM_CXVSCROLL SM_CYVSCROLL}}'''.format(name,id))
class TitleFrame(ttk.Widget):
"""Frame based class that has button elements at one end to
simulate a windowmanager provided title bar.
The button click event is handled and generates virtual events
if the click occurs over one of the button elements."""
def __init__(self, master, **kw):
self.point = None
kw['style'] = 'Title.Frame'
kw['class'] = 'TitleFrame'
ttk.Widget.__init__(self, master, 'ttk::frame', kw)
@staticmethod
def register(root):
"""Register the custom window style for a titlebar frame.
Must be called once at application startup."""
style = ttk.Style()
create_button_element(root, 'close', 18)
create_button_element(root, 'minimize', 15)
create_button_element(root, 'maximize', 17)
create_button_element(root, 'restore', 21)
style.layout('Title.Frame', [
('Title.Frame.border', {'sticky': 'nswe', 'children': [
('Title.Frame.padding', {'sticky': 'nswe', 'children': [
('Title.Frame.close', {'side': 'right', 'sticky': ''}),
('Title.Frame.maximize', {'side': 'right', 'sticky': ''}),
('Title.Frame.minimize', {'side': 'right', 'sticky': ''})
]})
]})
])
style.configure('Title.Frame', padding=(1,1,1,1), background='#090909')
style.map('Title.Frame', **style.map('TEntry'))
root.bind_class('TitleFrame', '<ButtonPress-1>', TitleFrame.on_press)
root.bind_class('TitleFrame', '<B1-Motion>', TitleFrame.on_motion)
root.bind_class('TitleFrame', '<ButtonRelease-1>', TitleFrame.on_release)
@staticmethod
def on_press(event):
event.widget.point = (event.x_root,event.y_root)
element = event.widget.identify(event.x,event.y)
if element == 'close':
event.widget.event_generate('<<TitleFrameClose>>')
elif element == 'minimize':
event.widget.event_generate('<<TitleFrameMinimize>>')
elif element == 'restore':
event.widget.event_generate('<<TitleFrameRestore>>')
@staticmethod
def on_motion(event):
"""Use the relative distance since the last motion or buttonpress event
to move the application window (this widgets toplevel)"""
if event.widget.point:
app = event.widget.winfo_toplevel()
dx = event.x_root - event.widget.point[0]
dy = event.y_root - event.widget.point[1]
x = app.winfo_rootx() + dx
y = app.winfo_rooty() + dy
app.wm_geometry('+{0}+{1}'.format(x,y))
event.widget.point=(event.x_root,event.y_root)
@staticmethod
def on_release(event):
event.widget.point = None
class SampleApp(tk.Tk):
"""Example basic application class"""
def __init__(self, *args, **kwargs):
tk.Tk.__init__(self, *args, **kwargs)
self.wm_geometry('320x240')
def main():
app = SampleApp()
TitleFrame.register(app)
app.overrideredirect(True)
screen_width = app.winfo_screenwidth()
screen_height = app.winfo_screenheight()
x_coordinate = (screen_width/2) - (1050/2)
y_coordinate = (screen_height/2) - (620/2)
app.geometry("{}x{}+{}+{}".format(1050, 650, int(x_coordinate), int(y_coordinate)))
title_bar = TitleFrame(app, height=20, width=1050)
title_bar.place(x=0, y=0)
app.bind('<<TitleFrameClose>>', lambda ev: app.destroy())
app.bind('<<TitleFrameMinimize>>', lambda ev: app.wm_iconify())
app.bind('<Key-Escape>', lambda ev: app.destroy())
app.after(10, lambda: set_appwindow(app))
app.mainloop()
if __name__ == "__main__":
main()
您无法获得最小化工作,因为这是对overridehandirect窗口的拒绝操作。我认为如果你需要支持那些,那些干涉窗口样式可能允许创建一个没有标题栏的顶层窗口。我添加了一个示例,它允许您的覆盖直接窗口出现在任务栏中,但它不会响应来自该输入的输入,因为该状态的点不由窗口管理器管理。