Python与数据库:使用SQLite进行数据存储和查询
import sqlite3
# 连接到SQLite数据库(如果不存在,则会创建)
conn = sqlite3.connect('example.db')
cursor = conn.cursor()
# 创建表
cursor.execute('''
CREATE TABLE IF NOT EXISTS stocks(
date text,
trans text,
symbol text,
qty real,
price real
)
''')
# 插入数据
purchases = [('2006-03-28', 'BUY', 'IBM', 1000, 45.00),
('2006-04-05', 'BUY', 'MSFT', 1000, 72.00),
('2006-04-06', 'SELL', 'IBM', 500, 53.00),
]
cursor.executemany('INSERT INTO stocks VALUES (?,?,?,?,?)', purchases)
# 查询数据
cursor.execute('SELECT * FROM stocks WHERE symbol = ?', ('IBM',))
print(cursor.fetchall())
# 关闭连接
conn.commit()
cursor.close()
conn.close()
这段代码演示了如何使用Python的sqlite3库来连接SQLite数据库,创建一个表格,插入多条记录,并执行一个基本的查询。代码简洁,注重于展示核心功能,并使用参数化查询来避免SQL注入安全风险。
评论已关闭