python 11 访问数据库
使用SQLite
SQLite是一种嵌入式数据库,它的数据库就是一个文件。由于SQLite本身是C写的,而且体积很小,所以,经常被集成到各种应用程序中,甚至在iOS和Android的App中都可以集成。
Python就内置了SQLite3,所以,在Python中使用SQLite,不需要安装任何东西,直接使用。
在使用SQLite前,我们先要搞清楚几个概念:
表是数据库中存放关系数据的集合,一个数据库里面通常都包含多个表,比如学生的表,班级的表,学校的表,等等。表和表之间通过外键关联。
要操作关系数据库,首先需要连接到数据库,一个数据库连接称为Connection;
连接到数据库后,需要打开游标,称之为Cursor,通过Cursor执行SQL语句,然后,获得执行结果。
Python定义了一套操作数据库的API接口,任何数据库要连接到Python,只需要提供符合Python标准的数据库驱动即可。
由于SQLite的驱动内置在Python标准库中,所以我们可以直接来操作SQLite数据库。
我们在Python交互式命令行实践一下:
导入SQLite驱动:
import sqlite3
连接到SQLite数据库
数据库文件是test.db
如果文件不存在,会自动在当前目录创建:
conn = sqlite3.connect('test.db')
创建一个Cursor:
cursor = conn.cursor()
执行一条SQL语句,创建user表:
cursor.execute('create table user (id varchar(20) primary key, name varchar(20))')
<sqlite3.Cursor object at 0x10f8aa260>
继续执行一条SQL语句,插入一条记录:
cursor.execute('insert into user (id, name) values ('1', 'Michael')')
<sqlite3.Cursor object at 0x10f8aa260>
通过rowcount获得插入的行数:
cursor.rowcount
1
关闭Cursor:
cursor.close()
提交事务:
conn.commit()
关闭Connection:
conn.close()
我们再试试查询记录:
conn = sqlite3.connect('test.db')
cursor = conn.cursor()
执行查询语句:
cursor.execute('select * from user where id=?', ('1',))
<sqlite3.Cursor object at 0x10f8aa340>
获得查询结果集:
values = cursor.fetchall()
values
[(u'1', u'Michael')]
cursor.close()
conn.close()
安装MySQL驱动
由于MySQL服务器以独立的进程运行,并通过网络对外服务,所以,需要支持Python的MySQL驱动来连接到MySQL服务器。
目前,有两个MySQL驱动:
- mysql-connector-python:是MySQL官方的纯Python驱动;
- MySQL-python:是封装了MySQL C驱动的Python驱动。
可以把两个都装上,使用的时候再决定用哪个:
$ easy_install mysql-connector-python
$ easy_install MySQL-python
我们以mysql-connector-python为例,演示如何连接到MySQL服务器的test数据库:
导入MySQL驱动:
import mysql.connector
注意把password设为你的root口令:
conn = mysql.connector.connect(user='root', password='password', database='test', use_unicode=True)
cursor = conn.cursor()
创建user表:
cursor.execute('create table user (id varchar(20) primary key, name varchar(20))')
插入一行记录,注意MySQL的占位符是%s:
cursor.execute('insert into user (id, name) values (%s, %s)', ['1', 'Michael'])
cursor.rowcount
1
提交事务:
conn.commit()
cursor.close()
运行查询:
cursor = conn.cursor()
cursor.execute('select * from user where id = %s', ('1',))
values = cursor.fetchall()
values
[(u'1', u'Michael')]
关闭Cursor和Connection:
cursor.close()
True
conn.close()