On this page

Python GUI 编程(Tkinter)

Python GUI 编程:Tkinter 指南

Tkinter 是 Python 的标准 GUI 库,基于 Tk GUI 工具包,可以快速创建跨平台的桌面应用程序。

1. 基本 Tkinter 程序结构

import tkinter as tk
from tkinter import ttk  # 更美观的主题控件

# 创建主窗口
root = tk.Tk()
root.title("我的第一个GUI程序")
root.geometry("400x300")  # 窗口大小

# 在这里添加控件...

# 运行主循环
root.mainloop()

2. 常用控件

标签 (Label)

label = ttk.Label(root, text="欢迎使用Tkinter!")
label.pack(pady=10)  # pack布局管理器

按钮 (Button)

def button_click():
    print("按钮被点击了!")
    
button = ttk.Button(root, text="点击我", command=button_click)
button.pack(pady=10)

输入框 (Entry)

entry = ttk.Entry(root)
entry.pack(pady=10)

# 获取输入内容
def get_entry():
    print("输入的内容:", entry.get())
    
ttk.Button(root, text="获取输入", command=get_entry).pack()

文本框 (Text)

text = tk.Text(root, height=5)
text.pack(pady=10)

# 插入文本
text.insert("1.0", "这里是多行文本框...")

# 获取文本内容
def get_text():
    print(text.get("1.0", "end-1c"))  # 从第1行第0列到倒数第2个字符

单选按钮 (Radiobutton)

selected = tk.StringVar(value="A")

ttk.Radiobutton(root, text="选项A", variable=selected, value="A").pack()
ttk.Radiobutton(root, text="选项B", variable=selected, value="B").pack()
ttk.Radiobutton(root, text="选项C", variable=selected, value="C").pack()

def show_selection():
    print("当前选择:", selected.get())

复选框 (Checkbutton)

check_var = tk.BooleanVar()

check = ttk.Checkbutton(root, text="同意条款", variable=check_var)
check.pack(pady=10)

def show_check():
    print("复选框状态:", check_var.get())

下拉菜单 (Combobox)

combo = ttk.Combobox(root, values=["Python", "Java", "C++", "JavaScript"])
combo.pack(pady=10)
combo.set("Python")  # 设置默认值

def show_combo():
    print("选择的是:", combo.get())

列表框 (Listbox)

listbox = tk.Listbox(root)
listbox.pack(pady=10)

for item in ["苹果", "香蕉", "橙子", "葡萄"]:
    listbox.insert("end", item)

def show_selected():
    selection = listbox.curselection()
    if selection:
        print("选择的是:", listbox.get(selection[0]))

3. 布局管理器

pack() - 简单布局

frame = ttk.Frame(root)
frame.pack(pady=20)

ttk.Label(frame, text="左边").pack(side="left")
ttk.Label(frame, text="右边").pack(side="right")

grid() - 网格布局

for i in range(3):
    for j in range(3):
        ttk.Label(root, text=f"行{i}列{j}", borderwidth=1, relief="solid").grid(
            row=i, column=j, padx=5, pady=5, ipadx=10, ipady=10
        )

place() - 精确位置布局

ttk.Label(root, text="绝对位置").place(x=50, y=50)
ttk.Label(root, text="相对位置").place(relx=0.5, rely=0.5, anchor="center")

4. 菜单栏

menubar = tk.Menu(root)

# 文件菜单
filemenu = tk.Menu(menubar, tearoff=0)
filemenu.add_command(label="新建")
filemenu.add_command(label="打开")
filemenu.add_separator()
filemenu.add_command(label="退出", command=root.quit)
menubar.add_cascade(label="文件", menu=filemenu)

# 编辑菜单
editmenu = tk.Menu(menubar, tearoff=0)
editmenu.add_command(label="剪切")
editmenu.add_command(label="复制")
editmenu.add_command(label="粘贴")
menubar.add_cascade(label="编辑", menu=editmenu)

root.config(menu=menubar)

5. 对话框

from tkinter import messagebox, filedialog

# 消息对话框
def show_message():
    messagebox.showinfo("提示", "这是一个信息对话框")
    # 其他类型: showwarning, showerror, askquestion, askyesno, askokcancel

# 文件对话框
def open_file():
    filepath = filedialog.askopenfilename(
        title="选择文件",
        filetypes=(("文本文件", "*.txt"), ("所有文件", "*.*"))
    )
    if filepath:
        print("选择的文件:", filepath)

6. 高级功能

自定义样式

style = ttk.Style()
style.configure("TButton", foreground="blue", font=('Arial', 12))
style.map("TButton", foreground=[("pressed", "red"), ("active", "green")])

事件绑定

def on_key(event):
    print(f"按下了: {event.char} (键码: {event.keycode})")

root.bind("<Key>", on_key)

# 鼠标事件
def on_click(event):
    print(f"点击位置: x={event.x}, y={event.y}")

root.bind("<Button-1>", on_click)  # 左键点击

多窗口应用

def open_new_window():
    new_window = tk.Toplevel(root)
    new_window.title("新窗口")
    ttk.Label(new_window, text="这是一个新窗口").pack()
    ttk.Button(new_window, text="关闭", command=new_window.destroy).pack()

ttk.Button(root, text="打开新窗口", command=open_new_window).pack()

7. 完整示例 - 计算器

import tkinter as tk
from tkinter import ttk

def calculate():
    try:
        num1 = float(entry1.get())
        num2 = float(entry2.get())
        operation = operation_var.get()
        
        if operation == "+":
            result = num1 + num2
        elif operation == "-":
            result = num1 - num2
        elif operation == "*":
            result = num1 * num2
        elif operation == "/":
            result = num1 / num2
            
        result_label.config(text=f"结果: {result}")
    except ValueError:
        result_label.config(text="请输入有效数字!")
    except ZeroDivisionError:
        result_label.config(text="不能除以零!")

root = tk.Tk()
root.title("简单计算器")

# 输入框
frame = ttk.Frame(root, padding="10")
frame.pack()

ttk.Label(frame, text="数字1:").grid(row=0, column=0, sticky="e")
entry1 = ttk.Entry(frame)
entry1.grid(row=0, column=1, pady=5)

ttk.Label(frame, text="数字2:").grid(row=1, column=0, sticky="e")
entry2 = ttk.Entry(frame)
entry2.grid(row=1, column=1, pady=5)

# 操作符选择
operation_var = tk.StringVar(value="+")
ttk.Label(frame, text="操作:").grid(row=2, column=0, sticky="e")
operations = ["+", "-", "*", "/"]
for i, op in enumerate(operations):
    ttk.Radiobutton(frame, text=op, variable=operation_var, value=op).grid(
        row=2, column=1+i, sticky="w")

# 计算按钮和结果
ttk.Button(frame, text="计算", command=calculate).grid(row=3, column=0, columnspan=5, pady=10)
result_label = ttk.Label(frame, text="结果: ")
result_label.grid(row=4, column=0, columnspan=5)

root.mainloop()

学习建议

  1. 从简单程序开始,逐步增加功能
  2. 使用 ttk 控件比标准 tk 控件更美观
  3. 合理使用布局管理器 (pack/grid/place)
  4. 将复杂界面分解为多个 Frame
  5. 参考官方文档: https://docs.python.org/3/library/tkinter.html

Tkinter 虽然不如一些现代 GUI 框架美观,但它简单易用、无需额外安装,非常适合快速开发小型桌面应用和原型设计。