使用 python 爬虫将数据保存到 mysql方法:安装 pymysql 库。连接到 mysql 数据库。创建游标。准备 sql 插入语句。绑定数据并执行 sql 语句。提交更改。关闭连接。
如何使用 Python 爬虫将数据保存到 MySQL?
方法:
1. 安装必要的库
2. 创建连接
立即学习“Python免费学习笔记(深入)”;
import pymysql # 连接到 MySQL 数据库 db = pymysql.connect( host="localhost", # 主机地址 user="username", # 用户名 password="password", # 密码 db="database_name", # 数据库名称 )
3. 创建游标
游标用于执行 SQL 查询并获取结果。
# 创建一个游标 cursor = db.cursor()
4. 准备 SQL 语句
准备插入数据的 SQL 语句。
# 准备 SQL 语句 sql = """INSERT INTO table_name (column1, column2, column3) VALUES (%s, %s, %s)"""
5. 执行 SQL 语句
将数据绑定到 SQL 语句并执行。
# 绑定数据到 SQL 语句 data = (value1, value2, value3) # 替换为需要插入的数据 # 执行 SQL 语句 cursor.execute(sql, data)
6. 提交更改
将更改提交到数据库。
# 提交更改 db.commit()
7. 关闭连接
完成数据保存后,关闭数据库连接。
# 关闭游标 cursor.close() # 关闭连接 db.close()
示例:
import pymysql # 连接到 MySQL 数据库 db = pymysql.connect(...) # 创建游标 cursor = db.cursor() # 准备 SQL 语句 sql = """INSERT INTO users (name, email) VALUES (%s, %s)""" # 绑定数据并执行 SQL 语句 data = ("John Doe", "johndoe@example.com") cursor.execute(sql, data) # 提交更改 db.commit() # 关闭连接 cursor.close() db.close()