在插入中子选择

问题描述 投票:0回答:3

我有一张名为

map_tags
的桌子:

map_id | map_license | map_desc

还有另一个表 (

widgets
),其记录包含对
map_tags
记录的外键引用(1 到 1):

widget_id | map_id | widget_name

考虑到所有

map_license
都是唯一的(但是没有设置为
map_tags
上的键),那么如果我有一个
map_license
和一个
widget_name
,我想在
上执行插入widgets
全部在同一个 SQL 语句中:

INSERT INTO
    widgets w
(
    map_id,
    widget_name
)
VALUES (
    (
        SELECT
            mt.map_id
        FROM
            map_tags mt
        WHERE
            // This should work and return a single record because map_license is unique
            mt.map_license = '12345'
    ),
    'Bupo'
)

相信我走在正确的轨道上,但马上就知道这对 Postgres 来说是不正确的 SQL。有谁知道实现这样一个查询的正确方法?

sql postgresql insert subquery
3个回答
77
投票

使用

INSERT INTO SELECT
变体,将任何常量直接包含到
SELECT
语句中。

PostgreSQL

INSERT
语法是:

INSERT INTO table [ ( column [, ...] ) ]
 { DEFAULT VALUES | VALUES ( { expression | DEFAULT } [, ...] ) [, ...] | query }
 [ RETURNING * | output_expression [ [ AS ] output_name ] [, ...] ]

记下上面第二行末尾的 query 选项。

这是给您的一个例子。

INSERT INTO 
    widgets
    (
        map_id,
        widget_name
    )
SELECT 
   mt.map_id,
   'Bupo'
FROM
    map_tags mt
WHERE
    mt.map_license = '12345'

61
投票
INSERT INTO widgets
(
    map_id,
    widget_name
)
SELECT
    mt.map_id, 'Bupo'
FROM
    map_tags mt
WHERE
    mt.map_license = '12345'

0
投票

快速回答: 您没有“单条记录”,您有“包含 1 条记录的集合” 如果这是 javascript:您有一个“具有 1 个值的数组”而不是“1 个值”。

在您的示例中,子查询中可能会返回一条记录, 但您仍在尝试将记录“数组”解压成单独的 实际参数放入仅需要 1 个参数的位置。

我花了几个小时才思考“为什么不”。 当我试图做一些非常类似的事情时:

这是我的笔记:

tb_table01: (no records)
+---+---+---+
| a | b | c | << column names
+---+---+---+

tb_table02:
+---+---+---+
| a | b | c | << column names
+---+---+---+
|'d'|'d'|'d'| << record #1
+---+---+---+
|'e'|'e'|'e'| << record #2
+---+---+---+
|'f'|'f'|'f'| << record #3
+---+---+---+

--This statement will fail:
INSERT into tb_table01
    ( a, b, c )
VALUES
    (  'record_1.a', 'record_1.b', 'record_1.c' ),
    (  'record_2.a', 'record_2.b', 'record_2.c' ),

    -- This sub query has multiple
    -- rows returned. And they are NOT
    -- automatically unpacked like in 
    -- javascript were you can send an
    -- array to a variadic function.
    (
        SELECT a,b,c from tb_table02
    ) 
    ;

基本上,不要将“VALUES”视为可变参数 可以解压记录数组的函数。有 没有像在 javascript 中那样解压参数 功能。如:

function takeValues( ...values ){ 
    values.forEach((v)=>{ console.log( v ) });
};

var records = [ [1,2,3],[4,5,6],[7,8,9] ];
takeValues( records );

//:RESULT:
//: console.log #1 : [1,2,3]
//: console.log #2 : [4,5,7]
//: console.log #3 : [7,8,9]

回到你的SQL问题:

此功能不存在的现实不会改变 只是因为您的子选择仅包含一个结果。这是 “设置一条记录”而不是“一条记录”。

© www.soinside.com 2019 - 2024. All rights reserved.