0

根据psycopg2: insert multiple rows with a query,使用 psycopg2 的execute而不是executemany效率更高。其他人可以确认吗?

上面的 StackOverflow 问题建议使用mogrify来创建这样的语句:

INSERT INTO table VALUES (value1, value2), (value3, value4)

是否可以使用常规执行函数生成这样的语句?我想到了一些形式

cursor.execute("""INSERT INTO table VALUES (%s, %s), (%s, %s)""", ((value1,value2),(value3,value4)))

会工作。

更新:

例如,我尝试传入执行 sql 语句:

insert into history (timestamp) values (%s),(%s); 

使用以下元组:

(('2014-04-27 14:07:30.000000',), ('2014-04-27 14:07:35.000000',))

但我得到的只是错误:

没有要获取的结果

4

1 回答 1

8

要使用 execute 方法,请将要插入的数据放在一个列表中。列表将由 psycopg2 调整为数组。然后您取消嵌套数组并根据需要转换值

import psycopg2

insert = """
    insert into history ("timestamp")
    select value
    from unnest(%s) s(value timestamp)
    returning *
;"""

data = [('2014-04-27 14:07:30.000000',), ('2014-04-27 14:07:35.000000',)]
conn = psycopg2.connect("host=localhost4 port=5432 dbname=cpn")
cursor = conn.cursor()
cursor.execute(insert, (data,))
print cursor.fetchall()
conn.commit()
conn.close()

不确定与 executemany 的性能差异是否很大。但我认为上面的更整洁。returning顾名思义,该子句将返回插入的元组。

BTWtimestamp是保留字,不应用作列名。

于 2014-04-27T14:39:08.133 回答