如何使用Python操作MySQL数据库

安装引入模块
安装mysql模块
sudo apt-get install python-mysql

在文件中引入模块
import Mysqldb

Connection对象
用于建立与数据库的连接
创建对象:调用connect()方法
conn=connect(参数列表)
参数host:连接的mysql主机,如果本机是’localhost’
参数port:连接的mysql主机的端口,默认是3306
参数db:数据库的名称
参数user:连接的用户名
参数password:连接的密码
参数charset:通信采用的编码方式,默认是’gb2312’,要求与数据库创建时指定的编码一致,否则中文会乱码

对象的方法
close()关闭连接
commit()事务,所以需要提交才会生效
rollback()事务,放弃之前的操作
cursor()返回Cursor对象,用于执行sql语句并获得结果
Cursor对象

执行sql语句
创建对象:调用Connection对象的cursor()方法
cursor1=conn.cursor()

对象的方法
close()关闭
execute(operation [, parameters ])执行语句,返回受影响的行数
fetchone()执行查询语句时,获取查询结果集的第一个行数据,返回一个元组
next()执行查询语句时,获取当前行的下一行
fetchall()执行查询时,获取结果集的所有行,一行构成一个元组,再将这些元组装入一个元组返回
scroll(value[,mode])将行指针移动到某个位置
mode表示移动的方式
mode的默认值为relative,表示基于当前行移动到value,value为正则向下移动,value为负则向上移动
mode的值为absolute,表示基于第一条数据的位置,第一条数据的位置为0

对象的属性
rowcount只读属性,表示最近一次execute()执行后受影响的行数
connection获得当前连接对象

增加
创建testInsert.py文件,向学生表中插入一条数据

#encoding=utf-8
import MySQLdb
try:
conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)
cs1=conn.cursor()
count=cs1.execute(“insert into students(sname) values(‘张良’)”)
print count
conn.commit()
cs1.close()
conn.close()
except Exception,e:
print e.message
xxxxxxxxxx12 1#encoding=utf-82import MySQLdb3try:4 conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)5 cs1=conn.cursor()6 count=cs1.execute(“insert into students(sname) values(‘张良’)”)7 print count8 conn.commit()9 cs1.close()10 conn.close()11except Exception,e:12 print e.message

修改
创建testUpdate.py文件,修改学生表的一条数据

#encoding=utf-8
import MySQLdb
try:
conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)
cs1=conn.cursor()
count=cs1.execute(“update students set sname=‘刘邦’ where id=6”)
print count
conn.commit()
cs1.close()
conn.close()
except Exception,e:
print e.message
xxxxxxxxxx12 1#encoding=utf-82import MySQLdb3try:4 conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)5 cs1=conn.cursor()6 count=cs1.execute(“update students set sname=‘刘邦’ where id=6”)7 print count8 conn.commit()9 cs1.close()10 conn.close()11except Exception,e:12 print e.message

删除
创建testDelete.py文件,删除学生表的一条数据

#encoding=utf-8
import MySQLdb
try:
conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)
cs1=conn.cursor()
count=cs1.execute(“delete from students where id=6”)
print count
conn.commit()
cs1.close()
conn.close()
except Exception,e:
print e.message
xxxxxxxxxx12 1#encoding=utf-82import MySQLdb3try:4 conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)5 cs1=conn.cursor()6 count=cs1.execute(“delete from students where id=6”)7 print count8 conn.commit()9 cs1.close()10 conn.close()11except Exception,e:12 print e.message

sql语句参数化
创建testInsertParam.py文件,向学生表中插入一条数据

#encoding=utf-8
import MySQLdb
try:
conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)
cs1=conn.cursor()
sname=raw_input(“请输入学生姓名:”)
params=[sname]
count=cs1.execute(‘insert into students(sname) values(%s)’,params)
print count
conn.commit()
cs1.close()
conn.close()
except Exception,e:
print e.message
xxxxxxxxxx14 1#encoding=utf-82import MySQLdb3try:4 conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)5 cs1=conn.cursor()6 sname=raw_input(“请输入学生姓名:”)7 params=[sname]8 count=cs1.execute(‘insert into students(sname) values(%s)’,params)9 print count10 conn.commit()11 cs1.close()12 conn.close()13except Exception,e:14 print e.message

其它语句
cursor对象的execute()方法,也可以用于执行create table等语句
建议在开发之初,就创建好数据库表结构,不要在这里执行

查询一行数据
创建testSelectOne.py文件,查询一条学生信息

#encoding=utf8
import MySQLdb
try:
conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)
cur=conn.cursor()
cur.execute(‘select * from students where id=7’)
result=cur.fetchone()
print result
cur.close()
conn.close()
except Exception,e:
print e.message
xxxxxxxxxx12 1#encoding=utf82import MySQLdb3try:4 conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)5 cur=conn.cursor()6 cur.execute(‘select * from students where id=7’)7 result=cur.fetchone()8 print result9 cur.close()10 conn.close()11except Exception,e:12 print e.message

查询多行数据
创建testSelectMany.py文件,查询一条学生信息

#encoding=utf8
import MySQLdb
try:
conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)
cur=conn.cursor()
cur.execute(‘select * from students’)
result=cur.fetchall()
print result
cur.close()
conn.close()
except Exception,e:
print e.message
xxxxxxxxxx12 1#encoding=utf82import MySQLdb3try:4 conn=MySQLdb.connect(host=‘localhost’,port=3306,db=‘test1’,user=‘root’,passwd=‘mysql’,charset=‘utf8’)5 cur=conn.cursor()6 cur.execute(‘select * from students’)7 result=cur.fetchall()8 print result9 cur.close()10 conn.close()11except Exception,e:12 print e.message

封装
观察前面的文件发现,除了sql语句及参数不同,其它语句都是一样的
创建MysqlHelper.py文件,定义类

#encoding=utf8
import MySQLdb

class MysqlHelper():
def init(self,host,port,db,user,passwd,charset=‘utf8’):
self.host=host
self.port=port
self.db=db
self.user=user
self.passwd=passwd
self.charset=charset

def connect(self):self.conn=MySQLdb.connect(host=self.host,port=self.port,db=self.db,user=self.user,passwd=self.passwd,charset=self.charset)self.cursor=self.conn.cursor()def close(self):self.cursor.close()self.conn.close()def get_one(self,sql,params=()):result=Nonetry:self.connect()self.cursor.execute(sql, params)result = self.cursor.fetchone()self.close()except Exception, e:print e.messagereturn resultdef get_all(self,sql,params=()):list=()try:self.connect()self.cursor.execute(sql,params)list=self.cursor.fetchall()self.close()except Exception,e:print e.messagereturn listdef insert(self,sql,params=()):return self.__edit(sql,params)def update(self, sql, params=()):return self.__edit(sql, params)def delete(self, sql, params=()):return self.__edit(sql, params)def __edit(self,sql,params):count=0try:self.connect()count=self.cursor.execute(sql,params)self.conn.commit()self.close()except Exception,e:print e.messagereturn count

xxxxxxxxxx61 1#encoding=utf82import MySQLdb3​4class MysqlHelper():5 def init(self,host,port,db,user,passwd,charset=‘utf8’):6 self.host=host7 self.port=port8 self.db=db9 self.user=user10 self.passwd=passwd11 self.charset=charset12​13 def connect(self):14 self.conn=MySQLdb.connect(host=self.host,port=self.port,db=self.db,user=self.user,passwd=self.passwd,charset=self.charset)15 self.cursor=self.conn.cursor()16​17 def close(self):18 self.cursor.close()19 self.conn.close()20​21 def get_one(self,sql,params=()):22 result=None23 try:24 self.connect()25 self.cursor.execute(sql, params)26 result = self.cursor.fetchone()27 self.close()28 except Exception, e:29 print e.message30 return result31​32 def get_all(self,sql,params=()):33 list=()34 try:35 self.connect()36 self.cursor.execute(sql,params)37 list=self.cursor.fetchall()38 self.close()39 except Exception,e:40 print e.message41 return list42​43 def insert(self,sql,params=()):44 return self.__edit(sql,params)45​46 def update(self, sql, params=()):47 return self.__edit(sql, params)48​49 def delete(self, sql, params=()):50 return self.__edit(sql, params)51​52 def __edit(self,sql,params):53 count=054 try:55 self.connect()56 count=self.cursor.execute(sql,params)57 self.conn.commit()58 self.close()59 except Exception,e:60 print e.message61 return count

添加
创建testInsertWrap.py文件,使用封装好的帮助类完成插入操作

#encoding=utf8
from MysqlHelper import *

sql=‘insert into students(sname,gender) values(%s,%s)’
sname=raw_input(“请输入用户名:”)
gender=raw_input(“请输入性别,1为男,0为女”)
params=[sname,bool(gender)]

mysqlHelper=MysqlHelper(‘localhost’,3306,‘test1’,‘root’,‘mysql’)
count=mysqlHelper.insert(sql,params)
if count1:
print ‘ok’
else:
print ‘error’
xxxxxxxxxx14 1#encoding=utf82from MysqlHelper import *3​4sql='insert into students(sname,gender) values(%s,%s)'5sname=raw_input(“请输入用户名:”)6gender=raw_input(“请输入性别,1为男,0为女”)7params=[sname,bool(gender)]8​9mysqlHelper=MysqlHelper(‘localhost’,3306,‘test1’,‘root’,‘mysql’)10count=mysqlHelper.insert(sql,params)11if count
1:12 print 'ok’13else:14 print ‘error’

查询一个
创建testGetOneWrap.py文件,使用封装好的帮助类完成查询最新一行数据操作

#encoding=utf8
from MysqlHelper import *

sql=‘select sname,gender from students order by id desc’

helper=MysqlHelper(‘localhost’,3306,‘test1’,‘root’,‘mysql’)
one=helper.get_one(sql)
print one
xxxxxxxxxx8 1#encoding=utf82from MysqlHelper import *3​4sql='select sname,gender from students order by id desc’5​6helper=MysqlHelper(‘localhost’,3306,‘test1’,‘root’,‘mysql’)7one=helper.get_one(sql)8print one

实例:用户登录
创建用户表userinfos
表结构如下
id
uname
upwd
isdelete
注意:需要对密码进行加密
如果使用md5加密,则密码包含32个字符
如果使用sha1加密,则密码包含40个字符,推荐使用这种方式

create table userinfos(
id int primary key auto_increment,
uname varchar(20),
upwd char(40),
isdelete bit default 0
);
xxxxxxxxxx6 1create table userinfos(2id int primary key auto_increment,3uname varchar(20),4upwd char(40),5isdelete bit default 06);

加入测试数据
插入如下数据,用户名为123,密码为123,这是sha1加密后的值
insert into userinfos values(0,‘123’,‘40bd001563085fc35165329ea1ff5c5ecbdbbeef’,0);
接收输入并验证
创建testLogin.py文件,引入hashlib模块、MysqlHelper模块
接收输入
根据用户名查询,如果未查到则提示用户名不存在
如果查到则匹配密码是否相等,如果相等则提示登录成功
如果不相等则提示密码错误

#encoding=utf-8
from MysqlHelper import MysqlHelper
from hashlib import sha1

sname=raw_input(“请输入用户名:”)
spwd=raw_input(“请输入密码:”)

s1=sha1()
s1.update(spwd)
spwdSha1=s1.hexdigest()

sql=“select upwd from userinfos where uname=%s”
params=[sname]

sqlhelper=MysqlHelper(‘localhost’,3306,‘test1’,‘root’,‘mysql’)
userinfo=sqlhelper.get_one(sql,params)
if userinfo==None:
print ‘用户名错误’
elif userinfo[0]spwdSha1:
print ‘登录成功’
else:
print ‘密码错误’
​x 1#encoding=utf-82from MysqlHelper import MysqlHelper3from hashlib import sha14​5sname=raw_input(“请输入用户名:”)6spwd=raw_input(“请输入密码:”)7​8s1=sha1()9s1.update(spwd)10spwdSha1=s1.hexdigest()11​12sql="select upwd from userinfos where uname=%s"13params=[sname]14​15sqlhelper=MysqlHelper(‘localhost’,3306,‘test1’,‘root’,‘mysql’)16userinfo=sqlhelper.get_one(sql,params)17if userinfo
None:18 print '用户名错误’19elif userinfo[0]==spwdSha1:20 print '登录成功’21else:22 print ‘密码错误’
想学习交流,视频资源等,推荐群:C++大学技术协会:145655849

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/504065.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

c语言 把字符串转换为变量名_如何将抓取下来的unicode字符串转换为中文

如果抓取的数据是json数据,那么直接将抓取的数据用json格式输出出来就行了。如下:response requests.get(url, headersself.headers).json()如果是unicode字符串,那么请继续往下看大家有没有遇见抓取下来的数据是unicode字符串的?如下图所示…

完全弄懂C++中的构造与析构函数

类的构造函数 带参数的构造函数 使用初始化列表来初始化字段 类的析构函数 构造函数与析构函数的特点 显式调用析构函数 拷贝构造函数 类的构造函数 类的构造函数是类的一种特殊的成员函数,它会在每次创建类的新对象时执行。 构造函数的名称与类的名称是完全相同的&…

c++ 读取访问权限冲突_Linux系统利用可执行文件的Capabilities实现权限提升

一、操作目的和应用场景Capabilities机制是在Linux内核2.2之后引入的,原理很简单,就是将之前与超级用户root(UID0)关联的特权细分为不同的功能组,Capabilites作为线程(Linux并不真正区分进程和线程)的属性存在,每个功能组都可以独…

Python 数据分析 Matplotlib篇 时间序列数据绘制折线图(第4讲)

Python 数据分析 Matplotlib篇 时间序列数据绘制折线图(第4讲)         🍹博主 侯小啾 感谢您的支持与信赖。☀️ 🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹꧔ꦿ🌹…

家装强电弱电布线图_家装水电施工标准(图文版),装修小白一眼也能看懂。...

如果把家比喻成一个人,房子是骨骼,那么水电路则相当于人体的血管和动脉,正因为他们的存在,才赋予家鲜活的生命。由此,水电施工自然也成为家装工程的重中之重。水电走线原则※ 水电弹线放样施工,使用切割机开…

0基础必看:如何轻松成为C语言高手

诞生于上世纪70年代的C语言是一门古老的语言了, 但作为一门底层语言,时至今日它仍然非常强大。学习C语言能够为学习其他更复杂的语言打下良好的基础,因为你在C语言中学习到的知识对几乎所有的编程语言都适用。下面就来看看如何开始用C语言编程吧。   工具   Mic…

python列表元素之和_python实现计算列表元素之和

目标:定义一个数字列表,并计算列表元素之和。 例如: 输入 : [12, 15, 3, 10] 输出 : 40 方法一:total 0 list1 [11, 5, 17, 18, 23] for ele in range(0, len(list1)): total total list1[ele] print("列表元素之和为: &…

双水泵轮换工作原理图_一用一备式冷凝水泵应急电源的设计与实现

为保障山西通州集团兴益化工有限公司10万吨甲醇工程一用一备式冷凝水泵的安全运行,专门设计动力负载应急电源。作者阐述了动力负载应急电源基本原理及其控制系统设计,经现场调试运行,动力负载应急电源很好满足生产现场要求。山西通州集团兴益…

基础学习——C语言递归解决分鱼问题

如有小伙伴想学习C语言基础,可以进群731871503进行交流学习,提升编程,共同进步 问题描述 A、B、C、D、E这5个人合伙夜间捕鱼,凌晨时都已经疲惫不堪,于是各自在河边的树丛中找地方睡着了。第二天日上三竿时&#xff0…

python定位元素在列表中的位置_python定位列表元素

Python 列表(list)提供了 index() 和 count() 方法,它们都可以用来查找元素。 index() 方法 index() 方法用来查找某个元素在列表中出现的位置(也就是索引),如果该元素不存在,则会导致 ValueErr…

Java学习4大阶段完成入门,小白必读!

Java 的学习过程分为4个阶段: 理论阶段 开发阶段 进阶阶段 实战阶段 理论阶段 在具体谈论Java知识点之前,我想先跟同学们聊聊Java 语言自身的一些特点、生态系统以及适用的场景,这有助于我们更好的学习语言本身。 首先,我们…

memkind版本查看_不同价位值得买轻薄本推荐~2020国庆篇

说起轻薄本,你理想中的一台优秀机型是什么样的?轻薄便携、质感上乘、高颜值、逼格、手感佳、续航持久、屏幕素质高、独立小键盘、性能激进……和游戏本的鲜明对比,注定了是两种不同的“菜”。2020年,随着AMD的崛起,部分…

main方法 如何去掉http debug日志_在MyBatis中如何使用collection标签实现嵌套查询?...

# 需求升级在上篇博客《一对多的关系,在MyBatis中如何映射?》中,我们实现了需求:根据用户id查询用户信息的同时获取用户拥有的角色。因为角色可以拥有多个权限,所以本篇博客我们升级需求为:根据用户id查询用…

movielens推荐系统_案例|推荐系统的评估指标

推荐系统能够为用户提供个性化体验,现在基本上各大电商平台、资讯平台都会用推荐系统为自家评价下的用户提供千人千面的服务。平均精度均值(Mean Average Precision,MAP)便是评估推荐系统性能的度量标准之一。但是,使用…

mysql群集配置_CentOS7 - 建立一个MySQL集群

Standing up a MySQL cluster此配方将指导您完成设置MySQL群集的过程。 通过跨多个系统划分数据并维护副本以避免单点故障,群集数据库可以应对可伸缩性和高可用性的挑战。集群的成员称为节点。 MySQL集群中有三种节点类型:数据节点,API节点和…

叮!您收到一份超值Java基础入门资料!

Java语言有什么特点?如何最大效率的学习?深浅拷贝到底有何区别?阿里巴巴高级开发工程师为大家带来Java系统解读,带你掌握Java技术要领,突破重点难点,入门面向对象编程,以详细示例带领大家Java基…

python适用的操作系统是_操作系统先来先服务python

1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 #codingutf-8 import __main__ import string def fcfs ( come_time , run_b_t , run_e_t , run_t , order ): # 先来先服务 time_tempcome_time [ 0 ] for i in range ( n ): run_b_t [ i …

jop怎么读音英语怎么说_“春晚”英语怎么说?

大家都说近年来的春节年味越来越淡,每年陪老人一起看春晚、上网吐槽春晚,应该算是最有年味的一件事了吧!你期待今年的春晚吗?在春晚即将开播之际,先和我一起了解一些有关“春晚”的英语知识吧!01、“春晚”…

2019 年软件开发人员必学的编程语言 Top 3

这篇文章将探讨编程语言世界的现在和未来,这些语言让新一代软件开发者成为这个数字世界的关键参与者,他们让这个世界变得更健壮、连接更加紧密和更有意义。开发者要想在 2019 年脱颖而出,这三门语言一定要关注。 作为软件开发者,…

python产生随机数random.random_Python内置random模块生成随机数的方法

本文我们详细地介绍下两个模块关于生成随机序列的其他使用方法。 随机数参与的应用场景大家一定不会陌生,比如密码加盐时会在原密码上关联一串随机数,蒙特卡洛算法会通过随机数采样等等。Python内置的random模块提供了生成随机数的方法,使用这…