Postgres用于在两个表中插入多个记录的函数

时间:2016-09-20 22:39:22

标签: sql database postgresql plpgsql postgresql-9.4

create table public.orders (
    orderID serial PRIMARY KEY,
    orderdate timestamp NOT NULL
);

create table public.orderdetails (
    orderdetailID serial PRIMARY KEY,
    orderID integer REFERENCES public.orders(orderID),
    item varchar(20) NOT NULL,
    quantity INTEGER NOT NULL
);

我有(非常简化的样本)表格,我想在一个动作中插入订单和订单详情的详细信息。

我熟悉事务,可以使用SQL命令插入数据,如下所示:

DO $$
  DECLARE inserted_id integer;
  BEGIN
    INSERT INTO public.orders(orderdate) VALUES (NOW()) RETURNING orderID INTO inserted_id;

    INSERT INTO public.orderdetails(orderID, item, quantity)
    VALUES (inserted_id, 'Red Widget', 10),
           (inserted_id, 'Blue Widget', 5);
  END
$$ LANGUAGE plpgsql;

但是,理想情况下,如果可能的话,我希望像上面的函数一样进行查询,而不是存储在我的应用程序中。

有人能指出我为postgres函数提供多条记录的正确方向吗?或者,如果我要做的事情被认为是不好的做法,请告诉我我应该遵循的其他路线。

提前致谢。

2 个答案:

答案 0 :(得分:4)

您可以使用元组数组将多行传递给函数。您需要自定义类型:

create type order_input as (
    item text,
    quantity integer);

使用此类型的数组作为函数的参数:

create or replace function insert_into_orders(order_input[])
returns void language plpgsql as $$
declare 
    inserted_id integer;
begin
    insert into public.orders(orderdate) 
    values (now()) 
    returning orderid into inserted_id;

    insert into public.orderdetails(orderid, item, quantity)
    select inserted_id, item, quantity
    from unnest($1);
end $$;

用法:

select insert_into_orders(
    array[
        ('Red Widget', 10), 
        ('Blue Widget', 5)
    ]::order_input[]
);

select * from orderdetails;

 orderdetailid | orderid |    item     | quantity 
---------------+---------+-------------+----------
             1 |       1 | Red Widget  |       10
             2 |       1 | Blue Widget |        5
(2 rows)

答案 1 :(得分:0)

谢谢克林。这很有帮助。

此外,我能够避免使用显式类型,而只使用了定义为数组的表。

以下代码:

-- Create table whose type will be passed as input parameter
create table tbl_card
(id integer,
name varchar(10),
cardno bigint)

-- Create function to accept an array of table
create or replace function fn_insert_card_arr (tbl_card[]) returns integer as $$
begin
insert into tbl_card (id, name,cardno)
select id, name, cardno
from unnest($1);

return 0;
end;
$$ LANGUAGE plpgsql;

-- Execute function by passing an array of table (type casted to array of type table)
select fn_insert_card_arr(
array[
    (1,'one', 2222777744448888), 
    (2,'two', 8888444466662222),
    (3,'three', 2222777744448888), 
    (4,'four', 8888444466662222)
]::tbl_card[]
);