我想让不太受欢迎的菜单项从白色逐渐变为黑色。有没有办法在菜单仍然打开的情况下更新颜色?我尝试过后命令和线程:
def update():
def color(c):
animal_menu.config(fg=c)
root.update()
print c
def adapt():
color('white')
root.after(100, color('#6E6E6E'))
root.after(100, color('black'))
## adapt() ##attempt no.1
## thread.start_new_thread(adapt, ()) ##attempt no.2
root = Tk()
menubutton = Menubutton(root, text="Animals")
animal_menu = Menu(menubutton, tearoff=0, postcommand=update)
animal_menu.add_command(label="Lion", command=print_time)
animal_menu.add_command(label="Tiger", command=print_time)
animal_menu.add_command(label="Bear", command=print_time)
menubutton.menu = animal_menu
menubutton["menu"] = menubutton.menu
menubutton.pack()
root.config()
root.mainloop()
到目前为止,第一次尝试完全在菜单出现之前运行(这是有道理的,因为postcommand是在发布菜单之前调用的),第二次尝试仅在菜单未打开时运行(我不理解),打印语句证明了这一点。
有人能给我一个指针,告诉我如何在菜单打开时正确地动态更改颜色,使项目变淡吗?
回调中的after
方法有几个问题:
def update():
def color(c):
animal_menu.config(fg=c)
root.update()
print c
def adapt():
color('white')
root.after(100, color('#6E6E6E'))
root.after(100, color('black'))
adapt() ##attempt no.1
首先,如果要将参数传递给在after中调用的函数,则必须使用lambda表达式或仅用逗号分隔它们:
root.after(100, color, 'black')
否则,括号将首先计算该函数。
其次,after
不适用于你可能习惯的典型控制流——它不是一个评估的,然后是下一个——你将两个后调用都设置为在100ms后评估,所以这就是将要发生的事情。
下面是一个衰落元回调的工作示例:
from Tkinter import *
def fadein(color):
if color < 111111:
animal_menu.config(fg='#000000')
else:
print color
animal_menu.config(fg='#' + str(color))
root.after(100, fadein, color - 111111)
root = Tk()
menubutton = Menubutton(root, text="Animals")
animal_menu = Menu(menubutton, tearoff=0, postcommand=lambda: fadein(999999))
animal_menu.add_command(label="Lion")
animal_menu.add_command(label="Tiger")
animal_menu.add_command(label="Bear")
menubutton.menu = animal_menu
menubutton["menu"] = menubutton.menu
menubutton.pack()
root.config()
root.mainloop()
请注意postcommand
中的lambda表达式,它是将参数传递给fadein()
所必需的。
更多信息:http://effbot.org/tkinterbook/widget.htm#Tkinter.Widget.after-方法