我必须做一个查询,它将在整数类型的几列上显示使用过的数字和使用过的时间。
为此,我制作了一个小示例表,其中包含适合粘贴到pgAdmin的sql编辑器中的代码:

DROP TABLE IF EXISTS mynums;
CREATE TABLE mynums
   (rowindex serial primary key, mydate timestamp, num1 integer, num2 integer, num3 integer);

INSERT INTO mynums (rowindex, mydate, num1, num2, num3)
VALUES (1,  '2015-03-09 07:12:45', 1, 2, 3),
       (2,  '2015-03-09 07:17:12', 4, 5, 2),
       (3,  '2015-03-09 07:22:43', 1, 2, 4),
       (4,  '2015-03-09 07:25:15', 3, 4, 5),
       (5,  '2015-03-09 07:41:46', 2, 5, 4),
       (6,  '2015-03-09 07:42:05', 1, 4, 5),
       (7,  '2015-03-09 07:45:16', 4, 1, 2),
       (9,  '2015-03-09 07:48:38', 5, 2, 3),
       (10, '2015-03-09 08:15:44', 2, 3, 4);

请帮助构建一个查询,该查询将给出num1、num2和num3列中已用数字和已用时间的结果,并按已用时间排序。
结果应该是:
number  times
2       7
4       7
1       4
3       4
5       5

最佳答案

您需要将列转换为行才能聚合它们:

select number, count(*)
from (
  select num1 as number
  from mynums
  union all
  select num2
  from mynums
  union all
  select num3
  from mynums
) t
group by number
order by number;

一般来说,有num1、num2、num3这样的列是数据库设计有问题的迹象。如果你需要增加更多的数字会怎么样?最好创建一对多关系,并将与arowindex相关联的数字存储在单独的表中。

关于postgresql - PostgreSQL在多列上选择,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29119475/

10-15 19:46