返回集合的函数

序列号生成函数

  • generate_series(start, stop)

    描述:生成一个数值序列,从start到stop,步长为1。

    参数类型:int、bigint、numeric

    返回值类型:setof int、setof bigint、setof numeric(与参数类型相同)

  • generate_series(start, stop, step)

    描述:生成一个数值序列,从start到stop,步长为step。

    参数类型:int、bigint、numeric

    返回值类型:setof int、setof bigint、setof numeric(与参数类型相同)

  • generate_series(start, stop, step interval)

    描述:生成一个数值序列,从start到stop,步长为step。

    参数类型:timestamp或timestamp with time zone

    返回值类型:setof timestamp或setof timestamp with time zone(与参数类型相同)

如果step是正数且start大于stop,则返回零行。相反,如果step是负数且start小于stop,则也返回零行。如果输入是NULL,同样产生零行。如果step为零则是一个错误。

示例:

  1. postgres=# SELECT * FROM generate_series(2,4);
  2. generate_series
  3. -----------------
  4. 2
  5. 3
  6. 4
  7. (3 rows)
  8. postgres=# SELECT * FROM generate_series(5,1,-2);
  9. generate_series
  10. -----------------
  11. 5
  12. 3
  13. 1
  14. (3 rows)
  15. postgres=# SELECT * FROM generate_series(4,3);
  16. generate_series
  17. -----------------
  18. (0 rows)
  19. --这个示例应用于date-plus-integer操作符。
  20. postgres=# SELECT current_date + s.a AS dates FROM generate_series(0,14,7) AS s(a);
  21. dates
  22. ------------
  23. 2017-06-02
  24. 2017-06-09
  25. 2017-06-16
  26. (3 rows)
  27. postgres=# SELECT * FROM generate_series('2008-03-01 00:00'::timestamp, '2008-03-04 12:00', '10 hours');
  28. generate_series
  29. ---------------------
  30. 2008-03-01 00:00:00
  31. 2008-03-01 10:00:00
  32. 2008-03-01 20:00:00
  33. 2008-03-02 06:00:00
  34. 2008-03-02 16:00:00
  35. 2008-03-03 02:00:00
  36. 2008-03-03 12:00:00
  37. 2008-03-03 22:00:00
  38. 2008-03-04 08:00:00
  39. (9 rows)

下标生成函数

  • generate_subscripts(array anyarray, dim int)

    描述:生成一系列包括给定数组的下标。

    返回值类型:setof int

  • generate_subscripts(array anyarray, dim int, reverse boolean)

    描述:生成一系列包括给定数组的下标。当reverse为真时,该系列则以相反的顺序返回。

    返回值类型:setof int

generate_subscripts是一个为给定数组中的指定维度生成有效下标集的函数。如果数组中没有所请求的维度或者NULL数组,返回零行(但是会给数组元素为空的返回有效下标)。示例:

  1. --基本用法。
  2. postgres=# SELECT generate_subscripts('{NULL,1,NULL,2}'::int[], 1) AS s;
  3. s
  4. ---
  5. 1
  6. 2
  7. 3
  8. 4
  9. (4 rows)
  1. --unnest一个2D数组。
  2. postgres=# CREATE OR REPLACE FUNCTION unnest2(anyarray)
  3. RETURNS SETOF anyelement AS $$
  4. SELECT $1[i][j]
  5. FROM generate_subscripts($1,1) g1(i),
  6. generate_subscripts($1,2) g2(j);
  7. $$ LANGUAGE sql IMMUTABLE;
  8. postgres=# SELECT * FROM unnest2(ARRAY[[1,2],[3,4]]);
  9. unnest2
  10. ---------
  11. 1
  12. 2
  13. 3
  14. 4
  15. (4 rows)
  16. --删除函数。
  17. postgres=# DROP FUNCTION unnest2;