使用PostgreSQL上的SQL连接数组中的多个行

时间:2009-02-10 17:09:49

标签: sql postgresql

我有一个像这样构建的表:

oid | identifier | value
1   | 10         | 101
2   | 10         | 102
3   | 20         | 201
4   | 20         | 202
5   | 20         | 203

我想查询此表以获得如下结果:

identifier | values[]
10         | {101, 102}
20         | {201, 202, 203}

我无法想办法做到这一点。那可能吗 ?怎么样?

非常感谢。

4 个答案:

答案 0 :(得分:55)

这是一个Postgres内置的几个版本,因此您不再需要定义自己的名称,名称为array_agg()

test=> select array_agg(n) from generate_series(1,10) n group by n%2;
  array_agg   
--------------
 {1,3,5,7,9}
 {2,4,6,8,10}

(这是Postgres 8.4.8)。

请注意,未指定ORDER BY,因此结果行的顺序取决于所使用的分组方法(此处为哈希),即未定义。例如:

test=> select n%2, array_agg(n) from generate_series(1,10) n group by (n%2);
 ?column? |  array_agg   
----------+--------------
        1 | {1,3,5,7,9}
        0 | {2,4,6,8,10}

test=> select (n%2)::TEXT, array_agg(n) from generate_series(1,10) n group by (n%2)::TEXT;
 text |  array_agg   
------+--------------
 0    | {2,4,6,8,10}
 1    | {1,3,5,7,9}

现在,我不知道为什么会得到{10,2,4,6,8}{9,7,3,1,5},因为generate_series()应按顺序发送行。

答案 1 :(得分:16)

您必须创建一个聚合函数,例如

CREATE AGGREGATE array_accum (anyelement)
(
sfunc = array_append,
stype = anyarray,
initcond = '{}'
);

然后

SELECT identifier, array_accum(value) AS values FROM table GROUP BY identifier;

HTH

答案 2 :(得分:1)

以下是请求输出的代码。

select identifier, array_agg(value)
from (
  values
    (1   , 10         , 101),
    (2   , 10         , 102),
    (3   , 20         , 201),
    (4   , 20         , 202),
    (5   , 20         , 203)
  ) as tab (oid, identifier, value)
group by identifier
order by identifier;

答案 3 :(得分:1)

简单示例:每门课程都有很多课程,所以如果我运行下面的代码:

SELECT
  lessons.course_id AS course_id,
  array_agg(lessons.id) AS lesson_ids
FROM lessons
GROUP BY
  lessons.course_id
ORDER BY
  lessons.course_id

我会得到下一个结果:

┌───────────┬──────────────────────────────────────────────────────┐
│ course_id │                   lesson_ids                         │
├───────────┼──────────────────────────────────────────────────────┤
│         1 │ {139,140,141,137,138,143,145,174,175,176,177,147,... │
│         3 │ {32,69,70,71,72,73,74,75,76,77,78,79,80,81,82,83,... │
│         5 │ {663,664,665,649,650,651,652,653,654,655,656,657,... │
│         7 │ {985,984,1097,974,893,971,955,960,983,1045,891,97... │
│       ...                                                        │
└───────────┴──────────────────────────────────────────────────────┘