我正在编写一个简单的程序来提取图像(BackgroundFinal.png)并将其显示在窗口中。我希望能够按下窗口上的按钮将图片向下移动22个像素。一切正常,除了按钮没有做任何事情。
import Tkinter
import Image, ImageTk
from Tkinter import Button
a = 0 #sets inital global 'a' and 'b' values
b = 0
def movedown(): #changes global 'b' value (adding 22)
globals()[b] = 22
return
def window(): #creates a window
window = Tkinter.Tk();
window.geometry('704x528+100+100');
image = Image.open('BackgroundFinal.png'); #gets image (also changes image size)
image = image.resize((704, 528));
imageFinal = ImageTk.PhotoImage(image);
label = Tkinter.Label(window, image = imageFinal); #creates label for image on window
label.pack();
label.place(x = a, y = b); #sets location of label/image using variables 'a' and 'b'
buttonup = Button(window, text = 'down', width = 5, command = movedown()); #creates button which is runs movedown()
buttonup.pack(side='bottom', padx = 5, pady = 5);
window.mainloop();
window()
如果我没有弄错,按钮应该改变全局'b'值,因此改变标签的y位置。我真的很感激任何帮助,对不起我的上帝可怕的约定。提前谢谢!
答案 0 :(得分:4)
这里有一些问题。
首先,您使用的是pack
和place
。通常,您应该只在容器小部件中使用1个几何管理器。我不建议使用place
。这只是你需要管理的太多工作。
其次,在构建按钮时,您正在调用回调movedown
。这不是你想要做的 - 你想要传递函数,而不是函数的结果:
buttonup = Button(window, text = 'down', width = 5, command = movedown)
第三,globals
返回当前命名空间的字典 - 它不可能有一个整数键。要获取b
引用的对象的引用,您需要globals()["b"]
。即使这样做,更改全局命名空间中b
的值也不会改变标签的位置,因为标签无法知道更改。一般来说,如果您需要使用globals
,可能需要重新考虑您的设计。
以下是我将如何做的简单示例......
import Tkinter as tk
def window(root):
buf_frame = tk.Frame(root,height=0)
buf_frame.pack(side='top')
label = tk.Label(root,text="Hello World")
label.pack(side='top')
def movedown():
buf_frame.config(height=buf_frame['height']+22)
button = tk.Button(root,text='Push',command=movedown)
button.pack(side='top')
root = tk.Tk()
window(root)
root.mainloop()
答案 1 :(得分:4)
感谢您的回复,但这并不是我想要的。我会在这里发布我觉得最好用的东西给其他有同样问题的人。
基本上,在这种情况下,使用Canvas而不是标签要好得多。使用画布,您可以使用canvas.move移动对象,这是一个简单的示例程序
# Python 2
from Tkinter import *
# For Python 3 use:
#from tkinter import *
root = Tk()
root.geometry('500x500+100+100')
image1 = PhotoImage(file = 'Image.gif')
canvas = Canvas(root, width = 500, height = 400, bg = 'white')
canvas.pack()
imageFinal = canvas.create_image(300, 300, image = image1)
def move():
canvas.move(imageFinal, 0, 22)
canvas.update()
button = Button(text = 'move', height = 3, width = 10, command = move)
button.pack(side = 'bottom', padx = 5, pady = 5)
root.mainloop()
我的代码可能不完美(对不起!)但这是基本的想法。希望我能帮助其他人解决这个问题