在Python中,你可以使用多種方法將數(shù)據(jù)插入到SQL數(shù)據(jù)庫(kù)中。以下是兩種常見(jiàn)的方法:
sqlite3
模塊(適用于SQLite數(shù)據(jù)庫(kù)):import sqlite3
# 連接到數(shù)據(jù)庫(kù)(如果不存在,將創(chuàng)建一個(gè)新的SQLite數(shù)據(jù)庫(kù)文件)
conn = sqlite3.connect('example.db')
cursor = conn.cursor()
# 創(chuàng)建一個(gè)表(如果不存在)
cursor.execute('''
CREATE TABLE IF NOT EXISTS users (
id INTEGER PRIMARY KEY AUTOINCREMENT,
name TEXT NOT NULL,
age INTEGER NOT NULL
)
''')
# 插入數(shù)據(jù)
data = ('Alice', 30)
cursor.execute("INSERT INTO users (name, age) VALUES (?, ?)", data)
# 提交更改并關(guān)閉連接
conn.commit()
conn.close()
pymysql
模塊(適用于MySQL數(shù)據(jù)庫(kù)):首先,確保已安裝pymysql
模塊:
pip install pymysql
然后,使用以下代碼連接到MySQL數(shù)據(jù)庫(kù)并插入數(shù)據(jù):
import pymysql
# 連接到數(shù)據(jù)庫(kù)
conn = pymysql.connect(host='localhost', user='your_username', password='your_password', db='your_database')
cursor = conn.cursor()
# 創(chuàng)建一個(gè)表(如果不存在)
cursor.execute('''
CREATE TABLE IF NOT EXISTS users (
id INT AUTO_INCREMENT PRIMARY KEY,
name VARCHAR(255) NOT NULL,
age INT NOT NULL
)
''')
# 插入數(shù)據(jù)
data = ('Alice', 30)
cursor.execute("INSERT INTO users (name, age) VALUES (%s, %s)", data)
# 提交更改并關(guān)閉連接
conn.commit()
conn.close()
請(qǐng)注意,這些示例假設(shè)你已經(jīng)創(chuàng)建了一個(gè)包含users
表的數(shù)據(jù)庫(kù)。你需要根據(jù)你的實(shí)際需求修改這些代碼。