使用数组的Postgres格式字符串

时间:2013-12-20 13:58:01

标签: arrays postgresql format

我正在寻找一种使用数组格式化字符串的简单方法,如下所示:

select format_using_array('Hello %s and %s', ARRAY['Jane', 'Joe']);

 format_using_array
--------------------
Hello Jane and Joe
(1 row)

有一个格式化函数,但它需要显式参数,我不知道数组中有多少项。我提出了这样的功能:

CREATE FUNCTION format_using_array(fmt text, arr anyarray) RETURNS text
    LANGUAGE plpgsql
AS $$
    declare 
        t text;
        length integer;
    begin
        length := array_length(arr, 1);
        t := fmt;
        for i in 1..length loop
           t := regexp_replace(t, '%s', arr[i]);
        end loop;

        return t;
    end
$$;

但也许有一种我不知道的简单方法,这是我使用pgsql的第一天。

2 个答案:

答案 0 :(得分:12)

您可以使用格式函数和VARIADIC关键字。它需要9.3,其中变量函数实现中的fixed bug

postgres=# SELECT format('%s %s', 'first', 'second');
    format    
--------------
 first second
(1 row)

postgres=# SELECT format('%s %s', ARRAY['first', 'second']);
ERROR:  too few arguments for format
postgres=# SELECT format('%s %s', VARIADIC ARRAY['first', 'second']);
    format    
--------------
 first second
(1 row)

答案 1 :(得分:1)

如果你错过了它,Postgres带有一个内置函数,它基本上包含了C的sprintf,它接受任意数量的参数,速度更快,并且比你想要创建的更简洁:

select format('Hello %s and %s', 'Jane', 'Joe');       -- Hello Jane and Joe

考虑到它允许位置参数而不是依赖regexp_replace(),并且支持格式化标记作为奖励,它也不会那么容易出错:

select format('Hello %2$s and %1$s', 'Jane', 'Joe');   -- Hello Joe and Jane

http://www.postgresql.org/docs/current/static/functions-string.html#FUNCTIONS-STRING-FORMAT

无论如何,如果你真的坚持想要这样一个数组驱动的函数,你可能需要unnest()数组才能构建(并正确转义)一个SQL字符串,以便最终使用动态SQL调用上面提到的format()

http://www.postgresql.org/docs/current/static/plpgsql-statements.html#PLPGSQL-STATEMENTS-EXECUTING-DYN