2
def red(): 
    frame3.output_display.config(fg = 'red', font=root.customFont1)
def blue():
    frame3.output_display.config(fg = 'darkblue', font=root.customFont2)
def green():
    frame3.output_display.config(fg = 'darkgreen',font=root.customFont3)
def black():
    frame3.output_display.config(fg = 'black',font=root.customFont4)


from tkinter import *
from tkinter import ttk
import tkinter.font
from tkinter.scrolledtext import ScrolledText

root = Tk()
root.title("Change Text")
root.geometry('700x500')
# change font size and family: not used currently because of resizing issue
root.customFont1 = tkinter.font.Font(family="Handwriting-Dakota", size=12)
root.customFont2 = tkinter.font.Font(family="Comic sans MS", size=14)
root.customFont3 = tkinter.font.Font(family="Script MT", size=16)
root.customFont4 = tkinter.font.Font(family="Courier", size=10)

# FRAME 3
frame3 = LabelFrame(root,  background = '#EBFFFF', borderwidth = 2, text = 'text entry and display frame', fg = 'purple',bd = 2, relief = FLAT, width = 75, height = 40)
frame3.grid(column = 2, row = 0, columnspan = 3, rowspan = 6, sticky = N+S+E+W) 
#frame3.grid_rowconfigure(0, weight=0)
#frame3.grid_columnconfigure(0, weight=0)
frame3.grid_propagate(True)


frame3.output_display = ScrolledText(frame3, wrap = WORD)
frame3.output_display.pack( side = TOP, fill = BOTH, expand = True )
frame3.output_display.insert('1.0', 'the text should appear here and should wrap at character forty five', END)
#frame3.output_display.config(state=DISABLED) # could be used to prevent modification to text (but also prevents load new file)

# draws all of the buttons,
ttk.Style().configure("TButton", padding=6, relief="flat",background="#A52A2A", foreground='#660066')
names_colour=(('Red',red),('Blue',blue),('Green',green),('Black',black))
root.button=[]

for i,(name, colour) in enumerate(names_colour):
    root.button.append(ttk.Button(root, text=name, command = colour))
    row,col=divmod(i,4)
    root.button[i].grid(sticky=N+S+E+W, row=6, column=col, padx=1, pady=1)

root.mainloop()

在 GUI 中,当文本字体和字体大小发生变化时,文本框会调整大小并隐藏按钮。在我的天真中,我认为文本框将保持相同的大小,并且文本将简单地包裹在文本框的约束内。至少 taht 是我想要达到的目标。显然字体大小或文本框中有一些概念,我不明白的 tkinter 谢谢

4

1 回答 1

1

文本小部件的宽度以字符宽度而不是像素为单位定义,它尽可能使用其配置的宽度作为其最小宽度。对于较宽的字体,小部件将更宽,而对于窄字体,小部件将更窄。因此,如果你给它一个宽字体,它会尝试让自己变宽以保持 X 个字符宽。

那么,你如何解决这个问题?

一种解决方案是将宽度和高度设置为较小的值。例如,如果您将宽度和高度设置为 1(一),则小部件只会尝试强制自己为一个字符的宽度和高度。除非您使用绝对巨大的字体,否则您几乎看不到小部件在放大字体时会变大。

然后,您将需要依赖包、网格或放置算法将小部件拉伸到所需的尺寸。如果您使用网格,这通常意味着您需要确保正确设置列和行的权重,以及设置粘性属性。

这样做的缺点是必须确保您的 GUI 具有正确的大小,而不是依赖于它只是根据每个小部件的首选大小神奇地发生。

作为一个快速破解,您可以通过在创建小部件后添加这些行来在程序中看到这一点:

frame3.output_display.configure(width=1, height=1)
root.grid_rowconfigure(0, weight=1)
root.grid_columnconfigure(2, weight=1)

当我使用上述附加行运行您的代码时,文本小部件保持固定大小,并且文本使用每种字体在不同的位置换行。

于 2013-04-16T21:10:20.087 回答