0

好的,所以我使用了这样的 string_agg 。

select string_agg(DISTINCT first_name,', ' ORDER BY first_name) FROM person_test;

然后我写了这个来将值返回到一个表中。

SELECT *
FROM person_test
where first_name = ANY(string_to_array('Aaron,Anne', ','));

现在我想把它放在一个函数中,这样我就可以直接调用 string_agg,而不是把名字放到 string_to_array 中。

我是 postgres 的新手,没有找到任何关于如何在线执行此操作的好的文档。我相信我必须声明 string_agg 然后在 string_to_array 中调用它,但我没有这样的运气。

这是我的尝试,我知道这是正确的,但如果有人可以添加一些反馈。我在结果和 ALAIS 之间以及返回时出现错误。

create or REPLACE FUNCTION select_persons(VARIADIC names TEXT[]);
declare results ALIAS select string_agg(DISTINCT first_name,', ' ORDER BY first_name) FROM person_test;
BEGIN
return setof person_test LANGUAGE sql as $$
  select * from person_test
  where first_name = any(results)
end;
$$ language sql;
4

1 回答 1

1

您可以创建一个具有可变数量参数的函数

例子:

create table person_test (id int, first_name text);
insert into person_test values
(1, 'Ann'), (2, 'Bob'), (3, 'Ben');

create or replace function select_persons(variadic names text[])
returns setof person_test language sql as $$
    select *
    from person_test
    where first_name = any(names)
$$;

select * from select_persons('Ann');
 id | first_name 
----+------------
  1 | Ann
(1 row)

select * from select_persons('Ann', 'Ben', 'Bob');
 id | first_name 
----+------------
  1 | Ann
  2 | Bob
  3 | Ben
(3 rows)

要在 plpgsql 函数中使用变量,您应该声明变量并使用select ... into(或赋值语句)。例子:

create or replace function my_func()
returns setof person_test
language plpgsql as $$
declare
    aggregated_names text;
begin
    select string_agg(distinct first_name,', ' order by first_name) 
    into aggregated_names
    from person_test;

    -- here you can do something using aggregated_names

    return query 
        select *
        from person_test
        where first_name = any(string_to_array(aggregated_names, ', '));
end $$;

select * from my_func();
于 2015-10-09T20:51:54.410 回答