不管你是做数据分析,还是网络爬虫,Web开发、亦或是机器学习,你都离不开要和数据库打交道,而MySQL又是最流行的一种数据库,这篇文章介绍Python操作MySQL的5种方式,你可以在实际开发过程中根据实际情况合理选择。
1、MySQLdb
MySQLdb又叫MySQL-python,是Python连接MySQL最流行的一个驱动,很多框架都也是基于此库进行开发,遗憾的是它只支持Python2.x,而且安装的时候有很多前置条件,因为它是基于C开发的库,在Windows平台安装非常不友好,经常出现失败的情况,现在基本不推荐使用,取代的是它的衍生版本。
#前置条件
sudoapt-getinstallpython-devlibmysqlclient-dev#Ubuntu
sudoyuminstallpython-develmysql-devel#RedHat/CentOS
#安装
pipinstallMySQL-python
Windows直接通过下载exe文件安装
#!/usr/bin/python
importMySQLdb
db=MySQLdb.connect(
host="localhost",#主机名
user="root",#用户名
passwd="pythontab.com",#密码
db="testdb")#数据库名称
#查询前,必须先获取游标
cur=db.cursor()
#执行的都是原生SQL语句
cur.execute("SELECT*FROMmytable")
forrowincur.fetchall():
print(row[0])
db.close()
2、mysqlclient
由于MySQL-python(MySQLdb)年久失修,后来出现了它的Fork版本mysqlclient,完全兼容MySQLdb,同时支持Python3.x,是DjangoORM的依赖工具,如果你想使用原生SQL来操作数据库,那么推荐此驱动。安装方式和MySQLdb是一样的,Windows可以在https://www.lfd.uci.edu/~gohlke/pythonlibs/#mysqlclient网站找到对应版本的whl包下载安装。
#Windows安装
pipinstallsome-package.whl
#linux前置条件
sudoapt-getinstallpython3-dev#debian/Ubuntu
sudoyuminstallpython3-devel#RedHat/CentOS
brewinstallmysql-connector-c#macOS(Homebrew)
pipinstallmysqlclient
3、PyMySQL
PyMySQL是纯Python实现的驱动,速度上比不上MySQLdb,最大的特点可能就是它的安装方式没那么繁琐,同时也兼容MySQL-python
pipinstallPyMySQL
#为了兼容mysqldb,只需要加入
pymysql.install_as_MySQLdb()
例子:
importpymysql
conn=pymysql.connect(host='127.0.0.1',user='root',passwd="pythontab.com",db='testdb')
cur=conn.cursor()
cur.execute("SELECTHost,UserFROMuser")
forrincur:
print(r)
cur.close()
conn.close()
4、peewee
写原生SQL的过程非常繁琐,代码重复,没有面向对象思维,继而诞生了很多封装wrapper包和ORM框架,ORM是Python对象与数据库关系表的一种映射关系,有了ORM你不再需要写SQL语句。提高了写代码的速度,同时兼容多种数据库系统,如sqlite,mysql、postgresql,付出的代价可能就是性能上的一些损失。如果你对Django自带的ORM熟悉的话,那么peewee的学习成本几乎为零。它是Python中是最流行的ORM框架。
安装
pipinstallpeewee
例子:
importpeewee
frompeeweeimport*
db=MySQLDatabase('testdb',user='root',passwd='pythontab.com')
classBook(peewee.Model):
author=peewee.CharField()
title=peewee.TextField()
classMeta:
database=db
Book.create_table()
book=Book(author="pythontab",title='pythontabisgoodwebsite')
book.save()
forbookinBook.filter(author="pythontab"):
print(book.title)
官方文档:http://docs.peewee-orm.com/en/latest/peewee/installation.html
5、SQLAlchemy
如果想找一种既支持原生SQL,又支持ORM的工具,那么SQLAlchemy是最好的选择,它非常接近Java中的Hibernate框架。
fromsqlalchemyimportcreate_engine
fromsqlalchemy.ormimportsessionmaker
fromsqlalchemy_declarativeimportAddress,Base,Person
classAddress(Base):
__tablename__='address'
id=Column(Integer,primary_key=True)
street_name=Column(String(250))
engine=create_engine('sqlite:///sqlalchemy_example.db')
Base.metadata.bind=engine
DBSession=sessionmaker(bind=engine)
session=DBSession()
#InsertaPersoninthepersontable
new_person=Person(name='newperson')
session.add(new_person)
session.commit()
现在差不多搞明白了这几种数据库驱动的优劣,接下来你就可以选择其中的一个进行系统的学习再把它应用到项目中去了,祝你学习开心,不懂的可以咨询扣丁学堂客服哈。
网友评论