1

我想让不太受欢迎的菜单项从白色逐渐淡入黑色。有没有办法在菜单仍然打开时更新颜色?我已经尝试过 postcommand 和线程:

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),第二次尝试仅在菜单未打开时运行(我不明白),如打印报表。

任何人都可以给我一个关于如何使颜色正确动态变化以在菜单打开时让项目淡入的指针吗?

4

1 回答 1

1

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

首先,如果您将参数传递给在之后调用的函数,您必须使用 lambda 表达式或用逗号分隔它们:

root.after(100, color, 'black')

否则,括号将使该函数首先被评估。

其次,after不适用于您可能习惯的典型控制流-它没有评估一个,然后是下一个-您将在调用后设置为在 100 毫秒后评估,所以这就是将要发生的事情。

这是一个淡入淡出回调的​​工作示例:

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()

请注意 lambda 表达式 in postcommand,它将参数传递给fadein().

更多信息:http ://effbot.org/tkinterbook/widget.htm#Tkinter.Widget.after-method

于 2014-04-10T10:56:07.557 回答