SQLite .db多文件合并
要将多个SQLite .db
文件合并,可以使用SQLite的ATTACH DATABASE
语句来连接其他数据库文件,然后使用INSERT INTO ... SELECT
语句来复制数据。以下是一个Python示例,使用sqlite3
模块来完成这个任务:
import sqlite3
def merge_databases(main_db_path, other_db_paths):
# 连接主数据库
main_conn = sqlite3.connect(main_db_path)
main_cursor = main_conn.cursor()
# 合并其他数据库
for db_path in other_db_paths:
other_conn = sqlite3.connect(db_path)
other_cursor = other_conn.cursor()
# 附加数据库
main_cursor.execute(f"ATTACH DATABASE '{db_path}' AS attached_db KEY '';")
# 获取其他数据库中的表名
other_cursor.execute("SELECT name FROM sqlite_master WHERE type='table';")
tables = other_cursor.fetchall()
for table_name, in tables:
# 复制表结构
main_cursor.execute(f"CREATE TABLE {table_name} AS SELECT * FROM attached_db.{table_name};")
# 分离数据库
main_cursor.execute("DETACH DATABASE attached_db;")
other_conn.close()
main_conn.commit()
main_conn.close()
# 使用示例
main_db_path = 'main.db' # 主数据库文件路径
other_db_paths = ['other1.db', 'other2.db'] # 其他要合并的数据库文件路径列表
merge_databases(main_db_path, other_db_paths)
这段代码会将other1.db
和other2.db
中的所有表复制到main.db
中。确保所有.db
文件都是SQLite数据库,并且有相同的结构,否则表结构不匹配会导致错误。此外,确保在合适的文件系统权限下运行代码,并且在操作大型数据库时考虑性能和资源使用。
评论已关闭