host |
데이터베이스 서버 주소, 기본 localhost |
user |
사용자 이름, 기본 로그인 현재 프로그램을 실행 중인 사용자 |
password |
의 비밀번호, 기본값은 빈 문자열 |
database |
기본 운영 데이터베이스 |
port |
데이터베이스 포트, 기본값은 3306 |
바인드_ address | 클라이언트에 여러 네트워크 인터페이스가 있는 경우 호스트에 연결할 인터페이스를 지정합니다. 매개변수는 호스트 이름 또는 IP 주소일 수 있습니다. |
unix_socket |
unix 소켓 주소, 호스트 연결과 다름 |
read_timeout |
읽기 데이터 시간 초과, 단위 초, 기본값 무제한 |
write_timeout |
쓰기 데이터 시간 초과, 단위 초, 기본값 무제한 |
charset |
데이터베이스 인코딩 |
sql_mode |
지정 기본 SQL_MODE |
read_default_file |
[client] 섹션에서 이러한 매개변수를 읽을 my.cnf 파일을 지정합니다. v |
사전을 다음으로 변환 기본 유형 대신 사용합니다.
|
use_unicode |
기본적으로 유니코드 문자열을 사용할지 여부입니다. Py3k에서는 이 옵션이 기본적으로 true입니다.
|
client_flag |
MySQL로 보낼 사용자 정의 플래그입니다. SQL 문 초기화
|
connect_timeout |
연결 시간 초과, 기본값 10, 최소 1, 최대 31536000
|
ssl |
mysql_ssl_set()의 매개변수와 유사한 인수 딕셔너리 . 현재 capath 및 cipher 인수는 지원되지 않습니다.
|
read_default_group |
구성 파일에서 읽을 그룹입니다.
자동 제출 여부에 관계없이 기본값은 자동 제출이 아니며 매개변수 값은 없음입니다. LOAD DATA LOCAL 명령 사용을 활성화하는 것은 서버 |
|
local_infile
부울의 영향을 받습니다. (기본값: False) |
|
max_allowed_packet
서버로 전송되는 최대 데이터 양, 기본값은 16MB입니다. |
|
defer_connect
지연 연결 여부, 기본값은 즉시 연결입니다 |
|
auth_plugin_map
해당 플러그인을 처리하는 클래스에 대한 플러그인 이름 딕셔너리입니다. 클래스는 연결 개체를 인수로 사용합니다. 생성자 클래스에는 인증 패킷을 인수로 사용하는 인증 방법이 필요합니다(인증 방법이 없는 경우). (실험적) | |
server_public_key
SHA256 인증 플러그인 공개 키 값(기본값: 없음) |
|
db
매개변수 데이터베이스 별칭 |
|
passwd
매개변수 비밀번호 별칭 |
|
binary_prefix
_binary 접두사 추가 바이트 및 바이트 배열(기본값: False) |
|
执行 SQL
-
cursor.execute(sql, args) 执行单条 SQL
# 获取游标
cursor = connection.cursor()
# 创建数据表
effect_row = cursor.execute('''
CREATE TABLE `users` (
`name` varchar(32) NOT NULL,
`age` int(10) unsigned NOT NULL DEFAULT '0',
PRIMARY KEY (`name`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8
''')
# 插入数据(元组或列表)
effect_row = cursor.execute('INSERT INTO `users` (`name`, `age`) VALUES (%s, %s)', ('mary', 18))
# 插入数据(字典)
info = {'name': 'fake', 'age': 15}
effect_row = cursor.execute('INSERT INTO `users` (`name`, `age`) VALUES (%(name)s, %(age)s)', info)
connection.commit()
-
executemany(sql, args) 批量执行 SQL
# 获取游标
cursor = connection.cursor()
# 批量插入
effect_row = cursor.executemany(
'INSERT INTO `users` (`name`, `age`) VALUES (%s, %s) ON DUPLICATE KEY UPDATE age=VALUES(age)', [
('hello', 13),
('fake', 28),
])
connection.commit()
注意:INSERT、UPDATE、DELETE 等修改数据的语句需手动执行connection.commit()
完成对数据修改的提交。
获取自增 ID
cursor.lastrowid
查询数据
# 执行查询 SQL
cursor.execute('SELECT * FROM `users`')
# 获取单条数据
cursor.fetchone()
# 获取前N条数据
cursor.fetchmany(3)
# 获取所有数据
cursor.fetchall()
游标控制
所有的数据查询操作均基于游标,我们可以通过cursor.scroll(num, mode)
控制游标的位置。
cursor.scroll(1, mode='relative') # 相对当前位置移动
cursor.scroll(2, mode='absolute') # 相对绝对位置移动
设置游标类型
查询时,默认返回的数据类型为元组,可以自定义设置返回类型。支持5种游标类型:
无缓冲游标类型,适用于数据量很大,一次性返回太慢,或者服务端带宽较小时。源码注释:
Unbuffered Cursor, mainly useful for queries that return a lot of data, or for connections to remote servers over a slow network.Instead of copying every row of data into a buffer, this will fetch rows as needed. The upside of this is the client uses much less memory, and rows are returned much faster when traveling over a slow network
or if the result set is very big.
There are limitations, though. The MySQL protocol doesn't support returning the total number of rows, so the only way to tell how many rows there are is to iterate over every row returned. Also, it currently isn't possible to scroll backwards, as only the current row is held in memory.
创建连接时,通过 cursorclass 参数指定类型:
connection = pymysql.connect(host='localhost',
user='root',
password='root',
db='demo',
charset='utf8',
cursorclass=pymysql.cursors.DictCursor)
也可以在创建游标时指定类型:
cursor = connection.cursor(cursor=pymysql.cursors.DictCursor)
事务处理
connection.begin()
connection.commit()
connection.rollback()
防 SQL 注入
# 插入数据(元组或列表)
effect_row = cursor.execute('INSERT INTO `users` (`name`, `age`) VALUES (%s, %s)', ('mary', 18))
# 插入数据(字典)
info = {'name': 'fake', 'age': 15}
effect_row = cursor.execute('INSERT INTO `users` (`name`, `age`) VALUES (%(name)s, %(age)s)', info)
# 批量插入
effect_row = cursor.executemany(
'INSERT INTO `users` (`name`, `age`) VALUES (%s, %s) ON DUPLICATE KEY UPDATE age=VALUES(age)', [
('hello', 13),
('fake', 28),
])
参考资料
相关推荐:
python实现telnet客户端的方法
MemCached的PHP客户端操作类二
数据库mysql视频教程