基于python+MySQL编写图书管理系统
下面是一个简单的Python连接MySQL数据库,并实现图书管理系统的示例代码。请确保你已经安装了mysql-connector-python
库。
import mysql.connector
# 连接到MySQL数据库
db_connection = mysql.connector.connect(
host="localhost",
user="your_username",
password="your_password",
database="book_system"
)
cursor = db_connection.cursor()
# 创建图书表
create_table_query = """
CREATE TABLE IF NOT EXISTS books (
id INT AUTO_INCREMENT PRIMARY KEY,
title VARCHAR(255) NOT NULL,
author VARCHAR(255) NOT NULL,
published_year INT
);
"""
cursor.execute(create_table_query)
# 添加图书
def add_book(title, author, published_year):
add_book_query = """
INSERT INTO books (title, author, published_year)
VALUES (%s, %s, %s);
"""
cursor.execute(add_book_query, (title, author, published_year))
db_connection.commit()
# 查询图书
def get_books():
get_books_query = "SELECT * FROM books;"
cursor.execute(get_books_query)
return cursor.fetchall()
# 使用示例
add_book("Python for Beginners", "Author Name", 2021)
books = get_books()
for book in books:
print(book)
# 关闭数据库连接
cursor.close()
db_connection.close()
在这个例子中,我们首先连接到MySQL数据库,然后创建一个名为books
的表(如果尚不存在),表中包含图书的标题、作者和出版年份。接着,我们定义了add_book
函数来添加新的图书记录,以及get_books
函数来检索所有图书记录。最后,我们演示了如何添加一本新书和获取所有书籍的操作。
请确保替换your_username
和your_password
为你的MySQL数据库的实际用户名和密码,并根据需要创建相应的数据库。
评论已关闭