参考链接:
1.Python 操作 MySQL 数据库
2.Python使用MySQL数据库的方法以及一个实例
安装
python2.x使用pip安装MySQLdb,python3.x使用pip安装mysqlclient
导入
# -*- coding: UTF-8 -*-
import MySQLdb
连接、关闭数据库
# 打开数据库连接
db = MySQLdb.connect(host='127.0.0.1',port=3306,user='root',passwd='',db='bitcoin')
# 使用cursor()方法获取操作游标
cursor = db.cursor()
# 关闭指针并释放相关资源
cursor.close()
# 关闭数据库连接
db.close()
创建表单
# 如果数据表已经存在使用 execute() 方法删除表。
cursor.execute("DROP TABLE IF EXISTS EMPLOYEE")
# 创建数据表SQL语句
sql = """CREATE TABLE EMPLOYEE (
FIRST_NAME CHAR(20) NOT NULL,
LAST_NAME CHAR(20),
AGE INT,
SEX CHAR(1),
INCOME FLOAT )"""
cursor.execute(sql)
添加数据
# SQL 插入语句
sql = """INSERT INTO EMPLOYEE(FIRST_NAME,
LAST_NAME, AGE, SEX, INCOME)
VALUES ('Mac', 'Mohan', 20, 'M', 2000)"""
# 或者SQL也可以这么写:
sql = "INSERT INTO EMPLOYEE(FIRST_NAME, \
LAST_NAME, AGE, SEX, INCOME) \
VALUES (%s, %s, %s, %s, %s )" % \
('Mac', 'Mohan', 20, 'M', 2000)
try:
# 执行sql语句
cursor.execute(sql)
# 提交到数据库执行
db.commit()
except:
# Rollback in case there is any error
db.rollback()
查询
# SQL 查询语句
sql = "SELECT * FROM block WHERE id < 10"
try:
# 执行SQL语句
cursor.execute(sql)
# 获取所有记录列表
results = cursor.fetchall()
for row in results:
id = row[0]
height = row[1]
transactions = row[11]
# 打印结果
print ("id=%s,height=%s,transactions=%s" % (id, height, transactions))
except Exception as e:
# 输出错误原因
print("Error: unable to fecth data, " + str(e))
修改
# SQL 更新语句
sql = "UPDATE EMPLOYEE SET AGE = AGE + 1 WHERE SEX = '%c'" % ('M')
try:
# 执行SQL语句
cursor.execute(sql)
# 提交到数据库执行
db.commit()
except:
# 发生错误时回滚
db.rollback()
删除
# SQL 删除语句
sql = "DELETE FROM EMPLOYEE WHERE AGE > %s" % (20)
try:
# 执行SQL语句
cursor.execute(sql)
# 提交修改
db.commit()
except:
# 发生错误时回滚
db.rollback()