Python学习:操作数据库
安装 PyMySQL:
pip3 install PyMySQL
查询数据
import pymysql
'''
数据库用户名: root
密码: 123456
数据库名: pysql
数据库表名: table1
'''
# 打开数据库连接
db = pymysql.connect("localhost", "root", "123456", "pysql")
# 使用cursor()方法获取操作游标
cursor = db.cursor()
# SQL 查询语句
sql = "SELECT * FROM table1"
try:
# 执行SQL语句
cursor.execute(sql)
# 获取所有记录列表
results = cursor.fetchall()
for row in results:
id = row[0]
name = row[1]
address = row[2]
print("id=",id," name=",name," address=",address)
except:
print("Error: unable to fetch data")
# 关闭数据库连接
db.close()
添加数据
import pymysql
'''
数据库用户名: root
密码: 123456
数据库名: pysql
数据库表名: table1
'''
# 打开数据库连接
db = pymysql.connect("localhost", "root", "123456", "pysql")
# 使用cursor()方法获取操作游标
cursor = db.cursor()
# SQL 插入语句
sql = """INSERT INTO table1 (id,name,address) VALUES ('5', 'Mohan', '北京')"""
try:
# 执行sql语句
cursor.execute(sql)
# 提交到数据库执行
db.commit()
except:
# 如果发生错误则回滚
db.rollback()
# 关闭数据库连接
db.close()
删除数据
import pymysql
'''
数据库用户名: root
密码: 123456
数据库名: pysql
数据库表名: table1
'''
# 打开数据库连接
db = pymysql.connect("localhost", "root", "123456", "pysql")
# 使用cursor()方法获取操作游标
cursor = db.cursor()
# SQL 删除语句
sql = "DELETE FROM table1 WHERE id = %s" % (3)
try:
# 执行SQL语句
cursor.execute(sql)
# 提交修改
db.commit()
except:
# 发生错误时回滚
db.rollback()
# 关闭连接
db.close()
更新数据
import pymysql
'''
数据库用户名: root
密码: 123456
数据库名: pysql
数据库表名: table1
'''
# 打开数据库连接
db = pymysql.connect("localhost", "root", "123456", "pysql")
# 使用cursor()方法获取操作游标
cursor = db.cursor()
# SQL 更新语句
sql = "UPDATE table1 SET address = '%s' WHERE name = '%s'" % ('非洲','Mohan')
try:
# 执行SQL语句
cursor.execute(sql)
# 提交到数据库执行
db.commit()
except:
# 发生错误时回滚
db.rollback()
# 关闭数据库连接
db.close()