我正在阅读一些原始文件并将它们插入到数据库中。这将涉及数百万条记录,对于每条记录,我有多个插入(许多表)。当我在本地测试时,它很快就会进行,但对于整个数据集,我需要使用远程数据库。这种方式很慢,我认为这是因为通过网络进行删除/插入的所有行程。
我正在使用MySQLdb模块(python),目前,我有以下内容:
# setup connection
con = mdb.connect('remote.host', 'database_user', '123456789', 'database_name');
... read files, loop through records, etc...
# clear out data related to current record
cur.execute("DELETE FROM articles WHERE article_id = %s", article.id)
cur.execute("DELETE FROM authors WHERE article_id = %s", article.id)
cur.execute("DELETE FROM addresses WHERE article_id = %s", article.id)
cur.execute("DELETE FROM citation_references WHERE article_id = %s", article.id)
cur.execute("DELETE FROM citation_patents WHERE article_id = %s", article.id)
# insert the article
cur.execute("INSERT INTO articles (article_id, doctype, keywords, language, title) VALUES (%s, %s, %s, %s, %s, %s)" , (article.id, article.doctype, ';'.join(article.keywords), article.language, article.title))
# insert all the authors
for au in article.authors:
cur.execute("INSERT INTO isi_authors (article_id, name_first, name_last, email) VALUES (%s, %s, %s, %s)", (article.id, au.first_name, au.last_name, au.email))
... other loops like the authors to insert 10-20 citations per article, multiple addresses, etc ...
据我所知,MySQLdb不允许我一次发送多个查询。我必须有办法避免网络延迟。有什么想法吗?
答案 0 :(得分:4)
至少MySQLdb
1.2.3似乎允许开箱即用的多个查询,您只需要调用cursor.nextset()
来循环返回结果集。
db = conn.cursor()
db.execute('SELECT 1; SELECT 2;')
more = True
while more:
print db.fetchall()
more = db.nextset()
如果您想完全确定已启用对此的支持,和/或禁用支持,您可以使用以下内容:
MYSQL_OPTION_MULTI_STATEMENTS_ON = 0
MYSQL_OPTION_MULTI_STATEMENTS_OFF = 1
conn.set_server_option(MYSQL_OPTION_MULTI_STATEMENTS_ON)
# Multiple statement execution here...
conn.set_server_option(MYSQL_OPTION_MULTI_STATEMENTS_OFF)
如果在执行其中一个查询时出错,mysql将不会在该点之后执行任何查询。如果db.execute()
调用源自第一个查询,则db.nextset()
调用将抛出异常,否则相应的{{1}}将执行此操作,因此您可以在获取异常之前从成功查询中获取结果集。
答案 1 :(得分:1)
使用executemany
。以下是manual:
c.executemany(
"""INSERT INTO breakfast (name, spam, eggs, sausage, price)
VALUES (%s, %s, %s, %s, %s)""",
[
("Spam and Sausage Lover's Plate", 5, 1, 8, 7.95 ),
("Not So Much Spam Plate", 3, 2, 0, 3.95 ),
("Don't Wany ANY SPAM! Plate", 0, 4, 3, 5.95 )
] )
在你的情况下,它看起来像这样:
sql = "INSERT INTO isi_authors (article_id, name_first, name_last, email) VALUES (%s, %s, %s, %s)"
params = [(article.id, au.first_name, au.last_name, au.email) for au in article.authors]
cur.executemany(sql, params)
来自executemany
的文档:
此方法提高了多行INSERT和 更换。否则它相当于使用循环遍历args 执行()。
答案 2 :(得分:1)
mySQL INSERT语法确实允许它。比较1)和2)
1. INSERT INTO tbl_name (a,b,c) VALUES(1,2,3);
2. INSERT INTO tbl_name (a,b,c) VALUES(1,2,3),(4,5,6),(7,8,9);
在第二种情况下,您一次插入三行。
http://dev.mysql.com/doc/refman/5.5/en/insert.html
希望它会给你一些想法。
PS:这是与语言无关的方式