sqlite方法类使用说明-blob数据类型读写操作
import sqlite3
# 连接到SQLite数据库(如果不存在则在当前目录创建)
conn = sqlite3.connect('example.db')
cursor = conn.cursor()
# 创建一个包含BLOB类型字段的表
cursor.execute('''
CREATE TABLE IF NOT EXISTS blob_example (
id INTEGER PRIMARY KEY,
data BLOB
)
''')
# 插入BLOB数据
data_to_insert = b"This is some binary data"
cursor.execute('INSERT INTO blob_example (data) VALUES (?)', (data_to_insert,))
# 查询BLOB数据
cursor.execute('SELECT data FROM blob_example LIMIT 1')
blob_data = cursor.fetchone()[0]
print(blob_data) # 输出: b'This is some binary data'
# 更新BLOB数据
new_data = b"Some new binary data"
cursor.execute('UPDATE blob_example SET data = ?', (new_data,))
# 关闭Cursor和Connection
cursor.close()
conn.commit()
conn.close()
这段代码展示了如何在SQLite数据库中创建一个包含BLOB类型字段的表,如何插入和查询BLOB数据,以及如何更新BLOB数据。在插入和查询操作中,使用问号(?)作为占位符来防止SQL注入攻击。最后,代码展示了如何关闭Cursor和Connection对象,并提交对数据库的更改。
评论已关闭