要使用MySQL和Python實現一個簡單的博客系統,可以按照以下步驟進行:
安裝MySQL數據庫和Python的MySQL庫:首先在你的機器上安裝MySQL數據庫,并且安裝Python的MySQL庫,可以使用pip install mysql-connector-python
命令進行安裝。
創建數據庫和表:使用MySQL的命令行工具或者可視化工具(如phpMyAdmin)創建一個名為"blog"的數據庫,并在該數據庫中創建一個名為"posts"的表,用于存儲博客文章的信息。可以使用以下SQL語句創建表:
CREATE TABLE posts (
id INT PRIMARY KEY AUTO_INCREMENT,
title VARCHAR(255),
content TEXT,
created_at DATETIME DEFAULT CURRENT_TIMESTAMP
);
import mysql.connector
# 連接到MySQL數據庫
cnx = mysql.connector.connect(
host="localhost",
user="your_user",
password="your_password",
database="blog"
)
請將"your_user"和"your_password"替換為你的MySQL用戶名和密碼。
def create_post(title, content):
# 創建一個游標對象
cursor = cnx.cursor()
# 執行插入語句
sql = "INSERT INTO posts (title, content) VALUES (%s, %s)"
val = (title, content)
cursor.execute(sql, val)
# 提交事務
cnx.commit()
# 關閉游標
cursor.close()
def get_posts():
# 創建一個游標對象
cursor = cnx.cursor()
# 執行查詢語句
sql = "SELECT * FROM posts"
cursor.execute(sql)
# 獲取查詢結果
result = cursor.fetchall()
# 關閉游標
cursor.close()
# 返回查詢結果
return result
from flask import Flask, render_template
app = Flask(__name__)
@app.route("/")
def index():
# 查詢博客文章
posts = get_posts()
# 渲染模板并返回結果
return render_template("index.html", posts=posts)
在模板文件(index.html)中,可以使用類似以下代碼展示博客文章:
{% for post in posts %}
<h2>{{ post[1] }}</h2>
<p>{{ post[2] }}</p>
{% endfor %}
這只是一個簡單的示例,你可以根據需求進行擴展和修改。