分类 Python 下的文章

请输入图片描述

前面的程序都是运行在终端,现代程序都有漂亮的人机界面-GUI 图形用户界面,这里我们尝试用图形库改写前面的例子,这里选秀用Tkiner,比较简单,好上手
这个界面只是显示默认图书列表,让用户可以选择借阅或者归还,没有用户登录界面,后面继续补上
'''
ver9.py: 使用GUI,tkinter
'''
import json
import tkinter as tk
from tkinter import messagebox, simpledialog

class Book:
    def __init__(self, title, author):
        self.title = title
        self.author = author
        self.is_checked_out = False

    def display_info(self):
        status = "已借出" if self.is_checked_out else "可借阅"
        return f"《{self.title}》 - 作者: {self.author} - 状态: {status}"

    def check_out(self):
        self.is_checked_out = True

    def check_in(self):
        self.is_checked_out = False

class User:
    def __init__(self, username, password):
        self.username = username
        self.password = password
        self.borrowed_books = []

    def borrow_book(self, book):
        if not book.is_checked_out:
            book.check_out()
            self.borrowed_books.append(book)
            return f"借阅成功:《{book.title}》"
        else:
            return "抱歉,这本书已经被借出了。"

    def return_book(self, book):
        if book in self.borrowed_books:
            book.check_in()
            self.borrowed_books.remove(book)
            return f"归还成功:《{book.title}》"
        else:
            return "这本书没有被这位用户借阅。"

class LibraryApp:
    def __init__(self, root):
        self.root = root
        self.root.title("图书馆管理系统")

        self.library = Library()

        # 创建 GUI 元素
        self.label = tk.Label(root, text="欢迎使用图书馆管理系统", font=("Helvetica", 16))
        self.label.pack(pady=10)

        self.listbox = tk.Listbox(root, selectmode=tk.SINGLE, font=("Helvetica", 12), height=10, width=50)
        self.listbox.pack(pady=10)

        self.refresh_books_list()

        self.borrow_button = tk.Button(root, text="借阅图书", command=self.borrow_book)
        self.borrow_button.pack(pady=5)

        self.return_button = tk.Button(root, text="归还图书", command=self.return_book)
        self.return_button.pack(pady=5)

        self.add_book_button = tk.Button(root, text="添加图书", command=self.add_book)
        self.add_book_button.pack(pady=5)

    def refresh_books_list(self):
        self.listbox.delete(0, tk.END)
        for book in self.library.books:
            self.listbox.insert(tk.END, book.display_info())

    def borrow_book(self):
        selected_index = self.listbox.curselection()
        if selected_index:
            selected_book = self.library.books[selected_index[0]]
            message = self.library.current_user.borrow_book(selected_book)
            messagebox.showinfo("借阅图书", message)
            self.refresh_books_list()
        else:
            messagebox.showwarning("借阅图书", "请选择要借阅的图书。")

    def return_book(self):
        selected_index = self.listbox.curselection()
        if selected_index:
            selected_book = self.library.books[selected_index[0]]
            message = self.library.current_user.return_book(selected_book)
            messagebox.showinfo("归还图书", message)
            self.refresh_books_list()
        else:
            messagebox.showwarning("归还图书", "请选择要归还的图书。")

    def add_book(self):
        title = simpledialog.askstring("添加图书", "请输入书名:")
        author = simpledialog.askstring("添加图书", "请输入作者:")
        if title and author:
            new_book = Book(title, author)
            self.library.books.append(new_book)
            messagebox.showinfo("添加图书", f"《{title}》已成功添加到图书馆。")
            self.refresh_books_list()

class Library:
    def __init__(self):
        self.books = []
        self.users = []
        self.current_user = User("Guest", "")

        # 从文件加载图书信息
        self.load_books_from_file()

        # 从文件加载用户信息
        self.load_users_from_file()

    def load_books_from_file(self):
        try:
            with open("books.json", "r") as file:
                books_data = json.load(file)
                for book_data in books_data:
                    book = Book(book_data["title"], book_data["author"])
                    book.is_checked_out = book_data["is_checked_out"]
                    self.books.append(book)
        except FileNotFoundError:
            # 文件不存在,可能是第一次运行程序
            pass

    def load_users_from_file(self):
        try:
            with open("users.json", "r") as file:
                users_data = json.load(file)
                for user_data in users_data:
                    user = User(user_data["username"], user_data["password"])
                    user.borrowed_books = [Book(book_data["title"], book_data["author"]) for book_data in user_data["borrowed_books"]]
                    self.users.append(user)
        except FileNotFoundError:
            # 文件不存在,可能是第一次运行程序
            pass

    def save_books_to_file(self):
        with open("books.json", "w") as file:
            books_data = []
            for book in self.books:
                book_data = {
                    "title": book.title,
                    "author": book.author,
                    "is_checked_out": book.is_checked_out,
                }
                books_data.append(book_data)
            json.dump(books_data, file, indent=2)

    def save_users_to_file(self):
        with open("users.json", "w") as file:
            users_data = []
            for user in self.users:
                user_data = {
                    "username": user.username,
                    "password": user.password,
                    "borrowed_books": [{"title": book.title, "author": book.author} for book in user.borrowed_books],
                }
                users_data.append(user_data)
            json.dump(users_data, file, indent=2)

# 创建根窗口并运行程序
root = tk.Tk()
app = LibraryApp(root)
root.mainloop()

请输入图片描述

继续简单的练习,新增一个菜单项,让用户(这里并没有区分管理员或者普通读者)可以新增图书
'''
ver8.py: 新增图书 菜单项
'''
import json

class Book:
    def __init__(self, title, author):
        self.title = title
        self.author = author
        self.is_checked_out = False
        self.borrow_date = None

    def display_info(self):
        status = "已借出" if self.is_checked_out else "可借阅"
        print(f"《{self.title}》 - 作者: {self.author} - 状态: {status}")

    def check_out(self):
        self.is_checked_out = True
        self.borrow_date = "今天"  # 在实际应用中,可以使用更复杂的日期逻辑

    def check_in(self):
        self.is_checked_out = False
        self.borrow_date = None

class User:
    def __init__(self, username, password):
        self.username = username
        self.password = password
        self.borrowed_books = []

    def borrow_book(self, book):
        if not book.is_checked_out:
            book.check_out()
            self.borrowed_books.append(book)
            print(f"{self.username}借阅了《{book.title}》。")
        else:
            print("抱歉,这本书已经被借出了。")

    def return_book(self, book):
        if book in self.borrowed_books:
            book.check_in()
            self.borrowed_books.remove(book)
            print(f"{self.username}归还了《{book.title}》。")
        else:
            print("这本书没有被这位用户借阅。")



class Library:
    def __init__(self, name):
        self.name = name
        self.books = []
        self.users = []
        self.current_user = None
        self.borrowed_books = []

        # 从文件加载图书信息
        self.load_books_from_file()

        # 从文件加载用户信息
        self.load_users_from_file()

    def load_books_from_file(self):
        try:
            with open(f"{self.name}_books.json", "r") as file:
                books_data = json.load(file)
                for book_data in books_data:
                    book = Book(book_data["title"], book_data["author"])
                    book.is_checked_out = book_data["is_checked_out"]
                    book.borrow_date = book_data["borrow_date"]
                    self.books.append(book)
        except FileNotFoundError:
            # 文件不存在,可能是第一次运行程序
            pass

    def load_users_from_file(self):
        try:
            with open(f"{self.name}_users.json", "r") as file:
                users_data = json.load(file)
                for user_data in users_data:
                    user = User(user_data["username"], user_data["password"])
                    user.borrowed_books = user_data["borrowed_books"]
                    self.users.append(user)
        except FileNotFoundError:
            # 文件不存在,可能是第一次运行程序
            pass

    def save_books_to_file(self):
        with open(f"{self.name}_books.json", "w") as file:
            books_data = []
            for book in self.books:
                book_data = {
                    "title": book.title,
                    "author": book.author,
                    "is_checked_out": book.is_checked_out,
                    "borrow_date": book.borrow_date,
                }
                books_data.append(book_data)
            json.dump(books_data, file, indent=2)

    def save_users_to_file(self):
        with open(f"{self.name}_users.json", "w") as file:
            users_data = []
            for user in self.users:
                user_data = {
                    "username": user.username,
                    "password": user.password,
                    "borrowed_books": [book.title for book in user.borrowed_books],
                }
                users_data.append(user_data)
            json.dump(users_data, file, indent=2)

    def list_books(self):
        print(f"{self.name}图书馆目录:")
        for book in self.books:
            book.display_info()

    def add_new_book(self):
        title = input("请输入新书的标题: ")
        author = input("请输入新书的作者: ")
        new_book = Book(title, author)
        self.books.append(new_book)
        print(f"《{title}》已成功添加到图书馆。")
        self.save_books_to_file()  # 保存图书信息到文件

    def search_book_by_name(self, book_name):
        for book in self.books:
            if book.title == book_name:
                return book
        return None

    def check_book_status(self, book_name):
        book = self.search_book_by_name(book_name)
        if book:
            if book.is_checked_out:
                print(f"《{book_name}》已经被借出。")
            else:
                print(f"《{book_name}》可供借阅。")
        else:
            print(f"在{self.name}图书馆中找不到《{book_name}》。")

    def user_login(self, username, password):
        for user in self.users:
            if user.username == username and user.password == password:
                self.current_user = user
                return user
        return None

    def user_registration(self, username, password):
        new_user = User(username, password)
        self.users.append(new_user)
        print(f"{self.name}图书馆用户 '{username}' 注册成功。")
        self.save_users_to_file()  # 保存用户信息到文件

    def user_logout(self):
        print(f"再见,{self.current_user.username}!")
        self.current_user = None

    def borrow_book(self, book):
        if not book.is_checked_out:
            book.check_out()
            self.current_user.borrowed_books.append(book)
            self.borrowed_books.append({"user": self.current_user.username, "book": book.title})
            print(f"{self.current_user.username}借阅了《{book.title}》。")
            self.save_books_to_file()  # 保存图书信息到文件
            self.save_users_to_file()  # 保存用户信息到文件
        else:
            print("抱歉,这本书已经被借出了。")

    def return_book(self, book):
        if book in self.current_user.borrowed_books:
            book.check_in()
            self.current_user.borrowed_books.remove(book)
            self.borrowed_books = [record for record in self.borrowed_books if record["book"] != book.title]
            print(f"{self.current_user.username}归还了《{book.title}》。")
            self.save_books_to_file()  # 保存图书信息到文件
            self.save_users_to_file()  # 保存用户信息到文件
        else:
            print("这本书没有被这位用户借阅。")

# 创建图书馆对象
library_name = input("请输入图书馆名字: ")
library = Library(library_name)

# 打印欢迎信息
print(f"欢迎使用{library.name}图书馆!")

while True:
    print("\n图书馆菜单:")
    print("1. 列出图书")
    print("2. 检查图书状态")
    print("3. 用户登录")
    print("4. 用户注册")
    print("5. 新增图书")
    print("6. 退出登录")
    print("7. 退出程序")

    choice = input("请输入您的选择 (1-7): ")

    if choice == "1":
        library.list_books()
    elif choice == "2":
        book_name = input("请输入书名: ")
        library.check_book_status(book_name)
    elif choice == "3":
        username = input("请输入用户名: ")
        password = input("请输入密码: ")
        logged_in_user = library.user_login(username, password)
        if logged_in_user:
            print(f"欢迎,{logged_in_user.username}!")
            # 用户操作(借书、还书等)
            while True:
                print("\n用户菜单:")
                print("1. 借阅图书")
                print("2. 归还图书")
                print("3. 退出登录")
                user_choice = input("请输入您的选择 (1-3): ")
                if user_choice == "1":
                    book_name = input("请输入要借阅的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        library.borrow_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "2":
                    book_name = input("请输入要归还的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        library.return_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "3":
                    library.user_logout()
                    break
                else:
                    print("无效的选择。请输入1到3之间的数字。")
        else:
            print("登录失败。用户名或密码无效。")
    elif choice == "4":
        username = input("请输入新的用户名: ")
        password = input("请输入新的密码: ")
        library.user_registration(username, password)
    elif choice == "5":
        library.add_new_book()
    elif choice == "6":
        if library.current_user:
            library.user_logout()
        else:
            print("当前没有用户登录。")
    elif choice == "7":
        print(f"退出{library.name}图书馆。再见!")
        break
    else:
        print("无效的选择。请输入1到7之间的数字。")

请输入图片描述

我们希望程序退出的时候可以保留当前状态,注册的用户,book信息,以及借阅信息等,下次运行程序的时候能够查询到这些装,这也是正常一个图书管理系统应该用的功能

这里使用json格式保存这些信息,方便操作!

'''
ver7.py: 增加持久性存储,使用文件保存book,借阅等信息
'''
import json

class Book:
    def __init__(self, title, author):
        self.title = title
        self.author = author
        self.is_checked_out = False

    def check_out(self):
        if not self.is_checked_out:
            self.is_checked_out = True
            print(f"The book '{self.title}' by {self.author} has been checked out.")
        else:
            print("Sorry, the book is already checked out.")

    def check_in(self):
        if self.is_checked_out:
            self.is_checked_out = False
            print(f"Thank you for returning '{self.title}' by {self.author}.")
        else:
            print("The book is not checked out.")

    def display_info(self):
        status = "Available" if not self.is_checked_out else "Checked Out"
        print(f"Title: {self.title}, Author: {self.author}, Status: {status}")

class User:
    def __init__(self, username, password):
        self.username = username
        self.password = password
        self.borrowed_books = []

    def borrow_book(self, book):
        if not book.is_checked_out:
            book.check_out()
            self.borrowed_books.append(book)
            print(f"{self.username}借阅了《{book.title}》。")
        else:
            print("抱歉,这本书已经被借出了。")

    def return_book(self, book):
        if book in self.borrowed_books:
            book.check_in()
            self.borrowed_books.remove(book)
            print(f"{self.username}归还了《{book.title}》。")
        else:
            print("这本书没有被这位用户借阅。")


class Library:
    def __init__(self, name):
        self.name = name
        self.books = []
        self.users = []
        self.current_user = None
        self.borrowed_books = []

        # 从文件加载图书信息
        self.load_books_from_file()

        # 从文件加载用户信息
        self.load_users_from_file()

    def load_books_from_file(self):
        try:
            with open(f"{self.name}_books.json", "r") as file:
                books_data = json.load(file)
                for book_data in books_data:
                    book = Book(book_data["title"], book_data["author"])
                    book.is_checked_out = book_data["is_checked_out"]
                    book.borrow_date = book_data["borrow_date"]
                    self.books.append(book)
        except FileNotFoundError:
            # 文件不存在,可能是第一次运行程序
            pass

    def load_users_from_file(self):
        try:
            with open(f"{self.name}_users.json", "r") as file:
                users_data = json.load(file)
                for user_data in users_data:
                    user = User(user_data["username"], user_data["password"])
                    user.borrowed_books = user_data["borrowed_books"]
                    self.users.append(user)
        except FileNotFoundError:
            # 文件不存在,可能是第一次运行程序
            pass

    def save_books_to_file(self):
        with open(f"{self.name}_books.json", "w") as file:
            books_data = []
            for book in self.books:
                book_data = {
                    "title": book.title,
                    "author": book.author,
                    "is_checked_out": book.is_checked_out,
                    "borrow_date": book.borrow_date,
                }
                books_data.append(book_data)
            json.dump(books_data, file, indent=2)

    def save_users_to_file(self):
        with open(f"{self.name}_users.json", "w") as file:
            users_data = []
            for user in self.users:
                user_data = {
                    "username": user.username,
                    "password": user.password,
                    "borrowed_books": [book.title for book in user.borrowed_books],
                }
                users_data.append(user_data)
            json.dump(users_data, file, indent=2)

    def list_books(self):
        print(f"{self.name}图书馆目录:")
        for book in self.books:
            book.display_info()

    def search_book_by_name(self, book_name):
        for book in self.books:
            if book.title == book_name:
                return book
        return None

    def check_book_status(self, book_name):
        book = self.search_book_by_name(book_name)
        if book:
            if book.is_checked_out:
                print(f"《{book_name}》已经被借出。")
            else:
                print(f"《{book_name}》可供借阅。")
        else:
            print(f"在{self.name}图书馆中找不到《{book_name}》。")

    def user_login(self, username, password):
        for user in self.users:
            if user.username == username and user.password == password:
                self.current_user = user
                return user
        return None

    def user_registration(self, username, password):
        new_user = User(username, password)
        self.users.append(new_user)
        print(f"{self.name}图书馆用户 '{username}' 注册成功。")
        self.save_users_to_file()  # 保存用户信息到文件

    def user_logout(self):
        print(f"再见,{self.current_user.username}!")
        self.current_user = None

    def borrow_book(self, book):
        if not book.is_checked_out:
            book.check_out()
            self.current_user.borrowed_books.append(book)
            self.borrowed_books.append({"user": self.current_user.username, "book": book.title})
            print(f"{self.current_user.username}借阅了《{book.title}》。")
            self.save_books_to_file()  # 保存图书信息到文件
            self.save_users_to_file()  # 保存用户信息到文件
        else:
            print("抱歉,这本书已经被借出了。")

    def return_book(self, book):
        if book in self.current_user.borrowed_books:
            book.check_in()
            self.current_user.borrowed_books.remove(book)
            self.borrowed_books = [record for record in self.borrowed_books if record["book"] != book.title]
            print(f"{self.current_user.username}归还了《{book.title}》。")
            self.save_books_to_file()  # 保存图书信息到文件
            self.save_users_to_file()  # 保存用户信息到文件
        else:
            print("这本书没有被这位用户借阅。")

# 创建图书馆对象
library_name = input("请输入图书馆名字: ")
library = Library(library_name)

# 打印欢迎信息
print(f"欢迎使用{library.name}图书馆!")

while True:
    print("\n图书馆菜单:")
    print("1. 列出图书")
    print("2. 检查图书状态")
    print("3. 用户登录")
    print("4. 用户注册")
    print("5. 退出登录")
    print("6. 退出程序")

    choice = input("请输入您的选择 (1-6): ")

    if choice == "1":
        library.list_books()
    elif choice == "2":
        book_name = input("请输入书名: ")
        library.check_book_status(book_name)
    elif choice == "3":
        username = input("请输入用户名: ")
        password = input("请输入密码: ")
        logged_in_user = library.user_login(username, password)
        if logged_in_user:
            print(f"欢迎,{logged_in_user.username}!")
            # 用户操作(借书、还书等)
            while True:
                print("\n用户菜单:")
                print("1. 借阅图书")
                print("2. 归还图书")
                print("3. 退出登录")
                user_choice = input("请输入您的选择 (1-3): ")
                if user_choice == "1":
                    book_name = input("请输入要借阅的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        library.borrow_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "2":
                    book_name = input("请输入要归还的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        library.return_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "3":
                    library.user_logout()
                    break
                else:
                    print("无效的选择。请输入1到3之间的数字。")
        else:
            print("登录失败。用户名或密码无效。")
    elif choice == "4":
        username = input("请输入新的用户名: ")
        password = input("请输入新的密码: ")
        library.user_registration(username, password)
    elif choice == "5":
        if library.current_user:
            library.user_logout()
        else:
            print("当前没有用户登录。")
    elif choice == "6":
        print(f"退出{library.name}图书馆。再见!")
        break
    else:
        print("无效的选择。请输入1到6之间的数字。")

请输入图片描述

又一个简单的练习
'''
ver6.py: 修改Library增加name属性
'''
class Book:
    def __init__(self, title, author):
        self.title = title
        self.author = author
        self.is_checked_out = False

    def check_out(self):
        if not self.is_checked_out:
            self.is_checked_out = True
            print(f"The book '{self.title}' by {self.author} has been checked out.")
        else:
            print("Sorry, the book is already checked out.")

    def check_in(self):
        if self.is_checked_out:
            self.is_checked_out = False
            print(f"Thank you for returning '{self.title}' by {self.author}.")
        else:
            print("The book is not checked out.")

    def display_info(self):
        status = "Available" if not self.is_checked_out else "Checked Out"
        print(f"Title: {self.title}, Author: {self.author}, Status: {status}")

class User:
    def __init__(self, username, password):
        self.username = username
        self.password = password
        self.borrowed_books = []

    def borrow_book(self, book):
        if not book.is_checked_out:
            book.check_out()
            self.borrowed_books.append(book)
            print(f"{self.username}借阅了《{book.title}》。")
        else:
            print("抱歉,这本书已经被借出了。")

    def return_book(self, book):
        if book in self.borrowed_books:
            book.check_in()
            self.borrowed_books.remove(book)
            print(f"{self.username}归还了《{book.title}》。")
        else:
            print("这本书没有被这位用户借阅。")


class Library:
    def __init__(self, name):
        self.name = name
        self.books = []
        self.users = []
        self.current_user = None

    def add_book(self, book):
        self.books.append(book)

    def add_user(self, user):
        self.users.append(user)

    def list_books(self):
        print(f"{self.name}图书馆目录:")
        for book in self.books:
            book.display_info()

    def search_book_by_name(self, book_name):
        for book in self.books:
            if book.title == book_name:
                return book
        return None

    def check_book_status(self, book_name):
        book = self.search_book_by_name(book_name)
        if book:
            if book.is_checked_out:
                print(f"《{book_name}》已经被借出。")
            else:
                print(f"《{book_name}》可供借阅。")
        else:
            print(f"在{self.name}图书馆中找不到《{book_name}》。")

    def user_login(self, username, password):
        for user in self.users:
            if user.username == username and user.password == password:
                self.current_user = user
                return user
        return None

    def user_registration(self, username, password):
        new_user = User(username, password)
        self.users.append(new_user)
        print(f"{self.name}图书馆用户 '{username}' 注册成功。")

    def user_logout(self):
        print(f"再见,{self.current_user.username}!")
        self.current_user = None

# 创建图书馆对象
library_name = input("请输入图书馆名字: ")
library = Library(library_name)

# 将图书加入图书馆
library.add_book(Book("了不起的盖茨比", "F. Scott Fitzgerald"))
library.add_book(Book("杀死一只知更鸟", "Harper Lee"))
library.add_book(Book("1984", "George Orwell"))

# 打印欢迎信息
print(f"欢迎使用{library.name}图书馆!")

while True:
    print("\n图书馆菜单:")
    print("1. 列出图书")
    print("2. 检查图书状态")
    print("3. 用户登录")
    print("4. 用户注册")
    print("5. 退出登录")
    print("6. 退出程序")

    choice = input("请输入您的选择 (1-6): ")

    if choice == "1":
        library.list_books()
    elif choice == "2":
        book_name = input("请输入书名: ")
        library.check_book_status(book_name)
    elif choice == "3":
        username = input("请输入用户名: ")
        password = input("请输入密码: ")
        logged_in_user = library.user_login(username, password)
        if logged_in_user:
            print(f"欢迎,{logged_in_user.username}!")
            # 用户操作(借书、还书等)
            while True:
                print("\n用户菜单:")
                print("1. 借阅图书")
                print("2. 归还图书")
                print("3. 退出登录")
                user_choice = input("请输入您的选择 (1-3): ")
                if user_choice == "1":
                    book_name = input("请输入要借阅的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        logged_in_user.borrow_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "2":
                    book_name = input("请输入要归还的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        logged_in_user.return_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "3":
                    library.user_logout()
                    break
                else:
                    print("无效的选择。请输入1到3之间的数字。")
        else:
            print("登录失败。用户名或密码无效。")
    elif choice == "4":
        username = input("请输入新的用户名: ")
        password = input("请输入新的密码: ")
        library.user_registration(username, password)
    elif choice == "5":
        if library.current_user:
            library.user_logout()
        else:
            print("当前没有用户登录。")
    elif choice == "6":
        print(f"退出{library.name}图书馆。再见!")
        break
    else:
        print("无效的选择。请输入1到6之间的数字。")

请输入图片描述

这是一个简单的练习,将程序菜单使用中文显示。初学者来说可能只需要全部替换,对于专业的程序来说我们可能希望兼容多种语言,这就是所谓的程序国际化,后面高阶课程再展开这个话题,这里入门练习,我们简单将英文菜单全部替换成中文显示
'''
ver5.py: 菜单改成中文显示
'''
class Book:
    def __init__(self, title, author):
        self.title = title
        self.author = author
        self.is_checked_out = False

    def check_out(self):
        if not self.is_checked_out:
            self.is_checked_out = True
            print(f"The book '{self.title}' by {self.author} has been checked out.")
        else:
            print("Sorry, the book is already checked out.")

    def check_in(self):
        if self.is_checked_out:
            self.is_checked_out = False
            print(f"Thank you for returning '{self.title}' by {self.author}.")
        else:
            print("The book is not checked out.")

    def display_info(self):
        status = "Available" if not self.is_checked_out else "Checked Out"
        print(f"Title: {self.title}, Author: {self.author}, Status: {status}")

class User:
    def __init__(self, username, password):
        self.username = username
        self.password = password
        self.borrowed_books = []

    def borrow_book(self, book):
        if not book.is_checked_out:
            book.check_out()
            self.borrowed_books.append(book)
            print(f"{self.username}借阅了《{book.title}》。")
        else:
            print("抱歉,这本书已经被借出了。")

    def return_book(self, book):
        if book in self.borrowed_books:
            book.check_in()
            self.borrowed_books.remove(book)
            print(f"{self.username}归还了《{book.title}》。")
        else:
            print("这本书没有被这位用户借阅。")

class Library:
    def __init__(self):
        self.books = []
        self.users = []
        self.current_user = None

    def add_book(self, book):
        self.books.append(book)

    def add_user(self, user):
        self.users.append(user)

    def list_books(self):
        print("图书馆目录:")
        for book in self.books:
            book.display_info()

    def search_book_by_name(self, book_name):
        for book in self.books:
            if book.title == book_name:
                return book
        return None

    def check_book_status(self, book_name):
        book = self.search_book_by_name(book_name)
        if book:
            if book.is_checked_out:
                print(f"《{book_name}》已经被借出。")
            else:
                print(f"《{book_name}》可供借阅。")
        else:
            print(f"在图书馆中找不到《{book_name}》。")

    def user_login(self, username, password):
        for user in self.users:
            if user.username == username and user.password == password:
                self.current_user = user
                return user
        return None

    def user_registration(self, username, password):
        new_user = User(username, password)
        self.users.append(new_user)
        print(f"用户 '{username}' 注册成功。")

    def user_logout(self):
        print(f"再见,{self.current_user.username}!")
        self.current_user = None

# 创建图书馆对象
library = Library()

# 将图书加入图书馆
library.add_book(Book("了不起的盖茨比", "F. Scott Fitzgerald"))
library.add_book(Book("杀死一只知更鸟", "Harper Lee"))
library.add_book(Book("1984", "George Orwell"))

while True:
    print("\n图书馆菜单:")
    print("1. 列出图书")
    print("2. 检查图书状态")
    print("3. 用户登录")
    print("4. 用户注册")
    print("5. 退出登录")
    print("6. 退出程序")

    choice = input("请输入您的选择 (1-6): ")

    if choice == "1":
        library.list_books()
    elif choice == "2":
        book_name = input("请输入书名: ")
        library.check_book_status(book_name)
    elif choice == "3":
        username = input("请输入用户名: ")
        password = input("请输入密码: ")
        logged_in_user = library.user_login(username, password)
        if logged_in_user:
            print(f"欢迎,{logged_in_user.username}!")
            # 用户操作(借书、还书等)
            while True:
                print("\n用户菜单:")
                print("1. 借阅图书")
                print("2. 归还图书")
                print("3. 退出登录")
                user_choice = input("请输入您的选择 (1-3): ")
                if user_choice == "1":
                    book_name = input("请输入要借阅的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        logged_in_user.borrow_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "2":
                    book_name = input("请输入要归还的书名: ")
                    book = library.search_book_by_name(book_name)
                    if book:
                        logged_in_user.return_book(book)
                    else:
                        print("找不到这本书。")
                elif user_choice == "3":
                    library.user_logout()
                    break
                else:
                    print("无效的选择。请输入1到3之间的数字。")
        else:
            print("登录失败。用户名或密码无效。")
    elif choice == "4":
        username = input("请输入新的用户名: ")
        password = input("请输入新的密码: ")
        library.user_registration(username, password)
    elif choice == "5":
        if library.current_user:
            library.user_logout()
        else:
            print("当前没有用户登录。")
    elif choice == "6":
        print("退出图书馆。再见!")
        break
    else:
        print("无效的选择。请输入1到6之间的数字。")