我有三个dicts,一个提供所有可用选项的列表,另外两个提供选项的子集(一组用于默认值,一组用于用户选择)。我使用python内置的JSON解析器获得了三个dicts。
我希望在UI中显示左侧的树,该树基于dicts中的键,在右侧我想显示组合框,按钮,列表框或其他适当的小部件来操作该密钥的数据。我需要这棵树,因为我真的在使用dicts的词典,我想允许折叠。
到目前为止,我已经研究过tkinter,tkinter的ttk和tix库,它们允许树,但不允许在右侧显示可配置列表。我还看到了一些例子,其中树是从python的IDLE中借来的。
如果GUI工具包是跨平台兼容的(* nix和win),我更喜欢它,并且如果可能的话可以自由分发。出于兴趣,有一个关于使用tk创建自定义小部件的教程,我已经尝试过查看,但我一直指向tk的小部件使用而不是小部件设计:s
作为一个最小的例子,我现在已经删除了额外的dicts并且具有以下内容:
import json
import tkinter as tk
from tkinter import ttk
from pprint import pprint as pprint
def JSONTree(Tree, Parent, Dictionery, TagList = []):
for key in Dictionery :
if isinstance(Dictionery[key],dict):
Tree.insert(Parent, 'end', key, text = key)
TagList.append(key)
JSONTree(Tree, key, Dictionery[key], TagList)
pprint(TagList)
elif isinstance(Dictionery[key],list):
Tree.insert(Parent, 'end', key, text = key) # Still working on this
else :
Tree.insert(Parent, 'end', key, text = key, value = Dictionery[key])
if __name__ == "__main__" :
# Setup the root UI
root = tk.Tk()
root.title("JSON editor")
root.columnconfigure(0, weight=1)
root.rowconfigure(0, weight=1)
# Setup Data
Data = {"firstName": "John",
"lastName": "Smith",
"gender": "man",
"age": 32,
"address": {"streetAddress": "21 2nd Street",
"city": "New York",
"state": "NY",
"postalCode": "10021"},
"phoneNumbers": [{ "type": "home", "number": "212 555-1234" },
{ "type": "fax", "number": "646 555-4567" }]}
# Setup the Frames
TreeFrame = ttk.Frame(root, padding = "3")
TreeFrame.grid(row = 0, column = 0, sticky = tk.NSEW)
# Setup the Tree
tree = ttk.Treeview(TreeFrame, columns = ('Values'))
tree.column('Values', width = 100, anchor = 'center')
tree.heading('Values', text = 'Values')
JSONTree(tree, '', Data)
tree.pack(fill=tk.BOTH, expand = 1)
# Limit windows minimum dimensions
root.update_idletasks()
root.minsize(root.winfo_reqwidth(),root.winfo_reqheight())
root.mainloop()
答案 0 :(得分:3)
好的,所以它不是很漂亮,我也不会把这样的代码投入生产中,但它确实有效。为了使它更加理智和生产质量,我可能会将JSONTree作为一个类,所有这些代码都包含在方法中。这将允许对代码进行一些简化和清理,并将对象传递给事件处理程序。
import json
import tkinter as tk
from tkinter import ttk
from pprint import pprint as pprint
# opt_name: (from_, to, increment)
IntOptions = {
'age': (1.0, 200.0, 1.0),
}
def close_ed(parent, edwin):
parent.focus_set()
edwin.destroy()
def set_cell(edwin, w, tvar):
value = tvar.get()
w.item(w.focus(), values=(value,))
close_ed(w, edwin)
def edit_cell(e):
w = e.widget
if w and len(w.item(w.focus(), 'values')) > 0:
edwin = tk.Toplevel(e.widget)
edwin.protocol("WM_DELETE_WINDOW", lambda: close_ed(w, edwin))
edwin.grab_set()
edwin.overrideredirect(1)
opt_name = w.focus()
(x, y, width, height) = w.bbox(opt_name, 'Values')
edwin.geometry('%dx%d+%d+%d' % (width, height, w.winfo_rootx() + x, w.winfo_rooty() + y))
value = w.item(opt_name, 'values')[0]
tvar = tk.StringVar()
tvar.set(str(value))
ed = None
if opt_name in IntOptions:
constraints = IntOptions[opt_name]
ed = tk.Spinbox(edwin, from_=constraints[0], to=constraints[1],
increment=constraints[2], textvariable=tvar)
else:
ed = tk.Entry(edwin, textvariable=tvar)
if ed:
ed.config(background='LightYellow')
#ed.grid(column=0, row=0, sticky=(tk.N, tk.S, tk.W, tk.E))
ed.pack()
ed.focus_set()
edwin.bind('<Return>', lambda e: set_cell(edwin, w, tvar))
edwin.bind('<Escape>', lambda e: close_ed(w, edwin))
def JSONTree(Tree, Parent, Dictionery, TagList=[]):
for key in Dictionery :
if isinstance(Dictionery[key], dict):
Tree.insert(Parent, 'end', key, text=key)
TagList.append(key)
JSONTree(Tree, key, Dictionery[key], TagList)
pprint(TagList)
elif isinstance(Dictionery[key], list):
Tree.insert(Parent, 'end', key, text=key) # Still working on this
else:
Tree.insert(Parent, 'end', key, text=key, value=Dictionery[key])
if __name__ == "__main__" :
# Setup the root UI
root = tk.Tk()
root.title("JSON editor")
root.columnconfigure(0, weight=1)
root.rowconfigure(0, weight=1)
# Setup Data
Data = {
"firstName": "John",
"lastName": "Smith",
"gender": "man",
"age": 32,
"address": {
"streetAddress": "21 2nd Street",
"city": "New York",
"state": "NY",
"postalCode": "10021"},
"phoneNumbers": [
{ "type": "home", "number": "212 555-1234" },
{ "type": "fax", "number": "646 555-4567" },
]}
# Setup the Frames
TreeFrame = ttk.Frame(root, padding="3")
TreeFrame.grid(row=0, column=0, sticky=tk.NSEW)
# Setup the Tree
tree = ttk.Treeview(TreeFrame, columns=('Values'))
tree.column('Values', width=100, anchor='center')
tree.heading('Values', text='Values')
tree.bind('<Double-1>', edit_cell)
tree.bind('<Return>', edit_cell)
JSONTree(tree, '', Data)
tree.pack(fill=tk.BOTH, expand=1)
# Limit windows minimum dimensions
root.update_idletasks()
root.minsize(root.winfo_reqwidth(), root.winfo_reqheight())
root.mainloop()
答案 1 :(得分:2)
我修改了John Gaines Jr.处理清单的答案。我不需要编辑或Taglist来做我正在做的事情所以我删除了它们。他们当然可以加回来。由于列表可以引入重复键,我用UUID替换了键,同时仍然将原始键显示为树视图左侧的文本。
import json
import uuid
import Tkinter as tk
import ttk
from pprint import pprint as pprint
def JSONTree(Tree, Parent, Dictionary):
for key in Dictionary :
uid = uuid.uuid4()
if isinstance(Dictionary[key], dict):
Tree.insert(Parent, 'end', uid, text=key)
JSONTree(Tree, uid, Dictionary[key])
elif isinstance(Dictionary[key], list):
Tree.insert(Parent, 'end', uid, text=key + '[]')
JSONTree(Tree,
uid,
dict([(i, x) for i, x in enumerate(Dictionary[key])]))
else:
value = Dictionary[key]
if isinstance(value, str) or isinstance(value, unicode):
value = value.replace(' ', '_')
Tree.insert(Parent, 'end', uid, text=key, value=value)
if __name__ == "__main__" :
# Setup the root UI
root = tk.Tk()
root.title("JSON editor")
root.columnconfigure(0, weight=1)
root.rowconfigure(0, weight=1)
# Setup Data
Data = {
"firstName": "John",
"lastName": "Smith",
"gender": "male",
"age": 32,
"address": {
"streetAddress": "21 2nd Street",
"city": "New York",
"state": "NY",
"postalCode": "10021"},
"phoneNumbers": [
{"type": "home", "number": "212 555-1234" },
{"type": "fax",
"number": "646 555-4567",
"alphabet": [
"abc",
"def",
"ghi"]
}
]}
# Setup the Frames
TreeFrame = ttk.Frame(root, padding="3")
TreeFrame.grid(row=0, column=0, sticky=tk.NSEW)
# Setup the Tree
tree = ttk.Treeview(TreeFrame, columns=('Values'))
tree.column('Values', width=100, anchor='center')
tree.heading('Values', text='Values')
JSONTree(tree, '', Data)
tree.pack(fill=tk.BOTH, expand=1)
# Limit windows minimum dimensions
root.update_idletasks()
root.minsize(root.winfo_reqwidth(), root.winfo_reqheight())
root.mainloop()