将多个 GROUP_CONCAT() 的结果分组在一起,仅具有不同的值

Grouping together results of multiple GROUP_CONCAT() with distinct values only

第二次尝试更详细地回答这个问题。我试图将同名对象的多个列的不同值组合在一起。我可以在每个 'Type' 列上使用 GROUP_CONCAT,但我无法将它们合并在一起以获得每个名称的一组不同值

这是我的数据示例:

+----------+-------+-------+-------+
| Company  | Type1 | Type2 | Type3 |
+----------+-------+-------+-------+
| Generic  | 1     | NULL  | 3     |
+----------+-------+-------+-------+
| Generic  | NULL  | 2     | 2     |
+----------+-------+-------+-------+
| Generic  | 3     | 2     | NULL  |
+----------+-------+-------+-------+
| Generic2 | 1     | NULL  | NULL  |
+----------+-------+-------+-------+
| Generic2 | NULL  | 2     | 2     |
+----------+-------+-------+-------+
| Generic2 | 1     | 2     | NULL  |
+----------+-------+-------+-------+

这是我必须提出的基本查询,但无法按预期工作:

SELECT s.company, CONCAT(GROUP_CONCAT(DISTINCT s.type1),',',GROUP_CONCAT(DISTINCT s.type2),',',GROUP_CONCAT(DISTINCT s.type3)) AS GROUPED
FROM sample s
GROUP BY s.company

以上查询returns:

+----------+-----------+
| Company  | GROUPED   |
+----------+-----------+
| Generic  | 1,3,2,3,2 |
+----------+-----------+
| Generic2 | 1,2,2     |
+----------+-----------+

我需要它 return 的是一组仅具有不同值的组:

+----------+---------+
| Company  | GROUPED |
+----------+---------+
| Generic  | 1,2,3   |
+----------+---------+
| Generic2 | 1,2     |
+----------+---------+

这可能吗?

一种选择是在分组前将列逆透视为行。在 MySQL 中,您可以使用 union all:

select company, group_concat(distinct typex order by typex) res
from (
    select company, type1 typex from mytable
    union all select company, type2 from mytable
    union all select company, type3 from mytable
) t
group by company

Demo on DB Fiddle:

company  | res  
:------- | :----
Generic  | 1,2,3
Generic2 | 1,2