TkInter标签按文本长度更改字体大小

时间:2015-03-05 17:11:40

标签: python user-interface tkinter

早上好,

我有一个固定宽度的Tkinter标签。在这个标签中,我设置了一个动态文本。当文本宽度超过标签宽度时,我需要更改字体大小(减少或增加)。 这是一个示例:enter image description here

1 个答案:

答案 0 :(得分:2)

要执行此操作,您需要为标签指定唯一的字体,然后使用字体的measure方法计算该字体中给定字符串所需的空间大小。然后你只需要保持增大或减小字体大小,直到它适合标签。

使用自定义字体创建标签的简单方法如下所示(对于python 2.x;对于3.x,导入将略有不同):

import Tkinter as tk
import tkFont

label = tk.Label(...)
original_font = tkFont.nametofont(label.cget("font"))
custom_font = tkFont.Font()
custom_font.configure(**original_font.configure())
label.configure(font=custom_font)

现在,您可以使用custom_font.measure(...)计算当前字体大小所需的标签像素数。如果像素数太大,请更改字体大小并再次测量。重复一遍,直到字体大到足以容纳文本。

更改字体大小时,标签会自动重新绘制新字体大小的文本。

这是一个完整的工作示例,说明了该技术:

import Tkinter as tk
import tkFont

class DynamicLabel(tk.Label):
    def __init__(self, *args, **kwargs):
        tk.Label.__init__(self, *args, **kwargs)

        # clone the font, so we can dynamically change
        # it to fit the label width
        font = self.cget("font")
        base_font = tkFont.nametofont(self.cget("font"))
        self.font = tkFont.Font()
        self.font.configure(**base_font.configure())
        self.configure(font=self.font)

        self.bind("<Configure>", self._on_configure)

    def _on_configure(self, event):
        text = self.cget("text")

        # first, grow the font until the text is too big,
        size = self.font.actual("size")
        while size < event.width:
            size += 1
            self.font.configure(size=size)

        # ... then shrink it until it fits
        while size > 1 and self.font.measure(text) > event.width:
            size -= 1
            self.font.configure(size=size)

class Example(tk.Frame):
    def __init__(self, parent):
        tk.Frame.__init__(self, parent)

        self.label = DynamicLabel(self, text="Resize the window to see the font change", width=20)
        self.label.pack(fill="both", expand=True, padx=20, pady=20)

        parent.geometry("300x200")

if __name__ == "__main__":
    root = tk.Tk()
    Example(root).pack(fill="both", expand=True)
    root.mainloop()