2010-06-17 60 views
2

我有一个包含约100万条目的临时表。临时表存储较大查询的结果。例如,我想一次处理这些记录1000。设置查询的最佳方式是什么,以便获得前1000行,接下来的1000行等等。它们不是固有的订购,但临时表只有一列带有ID,所以我可以根据需要订购。我想用临时表创建一个额外的列号的所有行的,是这样的:从临时表中获取n条记录

CREATE TEMP TABLE tmptmp AS 
SELECT ##autonumber somehow##, id 
FROM .... --complicated query 

那么我可以这样做:

SELECT * FROM tmptmp WHERE autonumber>=0 AND autonumber < 1000 

等...我将如何真正做到这一点?或者,还有更好的方法?我使用Python和PostgreSQL。

+0

如果你使用'pygresql'或'psycopg2'您可以指定... – ChristopheD 2010-06-17 21:37:23

+0

有可能是一个更好的办法如果您正在创建一个具有一百万行的临时表,但很难说不知道这些表和您尝试实现的结果...... – 2010-06-17 21:38:48

+0

尝试使用Postgres游标并限制开始,大小。我可以详细说明你是否愿意。当然是 – 2010-06-17 21:40:10

回答

4

使用游标并获取所需的行。当你有很多记录时,偏移...限制会变得很慢,光标会做得更好。

http://www.postgresql.org/docs/8.4/interactive/sql-fetch.html

+0

。从Python我只需要'cur.fetchmany(1000)'而不是'cur.fetchall()'heh。 – Claudiu 2010-06-17 21:53:38

+1

+1是的,那当然是更好的解决方案(很快会删除我的)。在Python中符合dbapi2标准的数据库接口中,确实使用std'.execute(sql)'后跟一系列'.fetchmany(1000)'直到光标被完全消耗。 – ChristopheD 2010-06-17 21:55:20

1

也许你可以使用这样的事情(我们什么时候批量更新表2000万行使用,不想养猪复制)。

import sys 
import psycopg2 
from datetime import datetime 

firstid = 0 
splitsize = 50 # Size of each batch 


# Complicated query 
query_complex = """ 
    CREATE TEMP TABLE tmptmp AS 
    SELECT * FROM schema.massive_table 
""" 
# Query to be run at intervals 
query = """ 
    SELECT * FROM tmptmp WHERE id BETWEEN %(startid)s AND %(endid)s 
""" 

conn = psycopg2.connect("dbname=database_name user=postgres") 
curs = conn.cursor() 
# Run complicated query 
curs.execute(query_complex) 
# Get highest id 
curs.execute("SELECT max(id) FROM tmptmp") 
maxid = curs.fetchall()[0][0] 
print "Max id: %s" % maxid 

for startid in range(firstid, maxid, splitsize): 
    endid = startid + splitsize - 1 
    print "%s: Running query on range %s to %s" % (datetime.now(), startid, endid) 
    curs.execute(query, {'startid':startid, 'endid':endid}) 
    print "%s: Affected rows: %s. Total completed: %s%%" % (datetime.now(), curs.rowcount, round((endid * 100)/maxid, 3)) 

print "Done." 

以下输出:

Max id: 308 
2010-06-18 11:59:11.271000: Running query on range 0 to 49 
2010-06-18 11:59:11.271000: Affected rows: 49. Total completed: 15.0% 
2010-06-18 11:59:11.271000: Running query on range 50 to 99 
2010-06-18 11:59:11.271000: Affected rows: 50. Total completed: 32.0% 
2010-06-18 11:59:11.271000: Running query on range 100 to 149 
2010-06-18 11:59:11.271000: Affected rows: 50. Total completed: 48.0% 
2010-06-18 11:59:11.271000: Running query on range 150 to 199 
2010-06-18 11:59:11.271000: Affected rows: 49. Total completed: 64.0% 
2010-06-18 11:59:11.271000: Running query on range 200 to 249 
2010-06-18 11:59:11.271000: Affected rows: 42. Total completed: 80.0% 
2010-06-18 11:59:11.271000: Running query on range 250 to 299 
2010-06-18 11:59:11.318000: Affected rows: 3. Total completed: 97.0% 
2010-06-18 11:59:11.318000: Running query on range 300 to 349 
2010-06-18 11:59:11.318000: Affected rows: 1. Total completed: 113.0% 
Done. 

//约翰

相关问题