在PostgreSQL中使用executemany()在另一个表中插入FOREIGN KEY

时间:2015-12-21 10:56:09

标签: python postgresql insert foreign-keys executemany

我尝试在公司表中插入代码列的行值作为公司表中的外键。我采取了以下步骤:

创建表

cur.execute("CREATE TABLE IF NOT EXISTS companies (code INT NOT NULL PRIMARY KEY, short_name VARCHAR(255) NOT NULL, long_name VARCHAR(255) NOT NULL)")

cur.execute("CREATE TABLE IF NOT EXISTS statements (statement_id SERIAL NOT NULL PRIMARY KEY, statement_name VARCHAR(255) NOT NULL, code INT NOT NULL, FOREIGN KEY (code) REFERENCES companies_list (code))")

公司表中包含哪些代码列(即)

 code |
-----------
  113
  221
  344

下一步是将有用数据插入到语句表中,如下所示:

statement_name = ["balance_sheet", "income_statement", "cash_flow"]

code = "SELECT code FROM companies_list WHERE code IS NOT NULL"

statements = [tuple((t,)) for t in zip(statement_name, code)]

query = "INSERT INTO statements (statement_name, code) VALUES %s"
cur.executemany(query, statements)

我收到以下错误:

psycopg2.DataError: invalid input syntax for integer: "S"
LINE 1: ...ents (statement_name, code) VALUES ('balance_sheet', 'S')

我想得到的最终结果如下:

statement_id |   statement_name    |   code
---------------------------------------------
     1           balance_sheet         113
     2           income_statement      113
     3           cash_flow             113
     4           balance_sheet         221
     5          income_statement       221
     6           cash_flow             221

1 个答案:

答案 0 :(得分:0)

错误来自这一行:

code = "SELECT code FROM companies_list WHERE code IS NOT NULL"

这不执行实际查询,它将SQL select语句字符串分配给code变量。然后下一行用code来压缩语句名称,因为code是一个字符串(可迭代),导致code的前3个字符被压缩来自{statement_name的项目1}},结果是:

[(('balance_sheet', 'S'),), (('income_statement', 'E'),), (('cash_flow', 'L'),)]

这就是'S'来自的地方 - 它是" SELECT"的第一个字符。在code字符串中。 'S'是一个字符串,而不是statements表的模式中定义的整数,因此是错误。

您可以看到使用cursor.mogrify()生成的查询:

>>> statement_name = ["balance_sheet", "income_statement", "cash_flow"]
>>> code = "SELECT code FROM companies_list WHERE code IS NOT NULL"
>>> statements = [tuple((t,)) for t in zip(statement_name, code)]
>>> query = "INSERT INTO statements (statement_name, code) VALUES %s"
>>> for args in statements:
...     print(cur.mogrify(query, args))
... 
INSERT INTO statements (statement_name, code) VALUES ('balance_sheet', 'S')
INSERT INTO statements (statement_name, code) VALUES ('income_statement', 'E')
INSERT INTO statements (statement_name, code) VALUES ('cash_flow', 'L')

解决此问题的一种方法是执行code中包含的查询以获取公司代码列表,然后使用它来构建INSERT查询:

import itertools

cur.execute("SELECT code FROM companies_list WHERE code IS NOT NULL")
codes = [row[0] for row in cur.fetchall()]
query = 'INSERT INTO statements (statement_name, code) VALUES (%s, %s)'
args = itertools.product(statement_name, codes)
cur.executemany(query, args)

此处itertools.product()用于形成声明名称和公司代码的笛卡尔积。这是模仿数据库连接功能,因此如果数据库中的语句类型可用,那么在SQL而不是Python中执行它可能会更好。