我使用树莓派作为更复杂设备的通信前端。我正在用python编写它,并包括一个gui来显示通过它的信息。
我的问题涉及大小为4x4的画布文本项的网格,由2d数组dataText[][]
引用。我正在使用itemconfigure()
编辑项目以更新显示的数据。
问题:当我更新dataText[y][x]
时,无论数字如何,它都会更新位置(3,x)的项目。
示范代码:
from Tkinter import *
from ttk import Style
#gui class (tkinter loop)
class UI(Frame):
#data value field
dataText = [[0]*4]*4
def __init__(self, parent):
Frame.__init__(self, parent)
self.parent = parent
self.initUI()
def initUI(self):
#sets up the main window
self.parent.title("Power Converter Controller")
self.style = Style()
self.style.theme_use("default")
self.pack(fill=BOTH, expand=YES)
#configures padding along columns and rows
for i in range(4):
self.columnconfigure(i, pad=3, weight=1)
for i in range(7):
self.rowconfigure(i, pad=3, weight=1)
#creates a canvas at the top of the window. The canvas is used for
#displaying data
self.display = Canvas(self, width=600, height=170)
self.display.grid(column=0, row=0, columnspan=4, rowspan=4)
#draws canvas items that can be updated
self.dynamicCanvasItems(self.display)
def dynamicCanvasItems(self, canvas):
#initializes the grid text handles
for i in range(4):
for j in range(4):
self.dataText[i][j] = canvas.create_text(75*(j+1),25*(i+1),text = data[i][j], font=("Helvetica",20))
for i in range(4):
for j in range(4):
self.display.itemconfigure(self.dataText[i][j], text=5)
def main():
global root
global data
#initialize 2d data array
data = [[x]*4 for x in xrange(4)]
#initialize the ui loop
root = Tk()
root.geometry("600x300+600+300")
ui = UI(root)
#enter the ui loop
root.mainloop()
if __name__ == '__main__':
main()
整个程序相当大,所以我把不相关的部分剪掉了。我确保编辑的部分对问题没有影响(通过禁用它们并检查问题是否改变)。
在dynamicCanvasItems()
方法中,小部件设置正确。如果禁用第二个双for循环,它将显示如下内容:
0 0 0 0
1 1 1 1
2 2 2 2
3 3 3 3
所以第二个双for循环应该用5覆盖所有小部件。但是,会发生这种情况:
0 0 0 0
1 1 1 1
2 2 2 2
5 5 5 5
有人知道为什么吗?
这是因为您的初始化代码正在创建一个列表的列表,其中每个子列表是对同一对象的引用。你没有一个包含四个不同子列表的列表,你有一个包含四个对同一个列表的引用的列表。
为了证明这一点,在初始化dataText
之后添加以下内容:
print [id(x) for x in dataText]
您将看到所有四个列表都具有完全相同的内部id,这意味着它们都引用完全相同的列表。
将初始化代码更改为
比较会发生什么:dataText = [
[0,0,0,0],
[0,0,0,0],
[0,0,0,0],
[0,0,0,0]
]
在上面,您显式地创建了四个唯一列表,每个列表有四个唯一的值。