从MySQL JSON数组中获取不同的值

时间:2016-09-15 10:12:30

标签: mysql arrays json distinct concat

我有一个MySQL数据表,其中包含一个包含值列表的JSON列:

CONSTRAINT_TABLE

 ID | CONSTRAINT_TYPE | CONSTRAINT_VALUES
----+-----------------+--------------------------------
 '2'| 'testtype'      |'[801, 751, 603, 753, 803]'
 ...| ...             | ...

我想要的是一个独特的,以逗号分隔的JSON值列表。我尝试使用group_concat,但它适用于数组,而不是单个值。

SELECT group_concat(distinct constraint_values->>'$') 
FROM constraint_table c 
WHERE c.constraint_type = "testtype";

实际结果:

[801, 751, 603, 753, 803],[801, 751],[578, 66, 15],...

我的目标结果:

801, 751, 603, 753, 803, 578, 66, 15 ...

没有重复。因为行也很好。

想法,有人吗?

1 个答案:

答案 0 :(得分:0)

对不起,请您提前告知我,但我遇到了类似的问题。解决方案是:JSON_TABLE()自MySQL 8.0起可用。

首先,将行中的数组合并为单行单个数组。

select concat('[',         -- start wrapping single array with opening bracket
    replace(
        replace(
            group_concat(vals),  -- group_concat arrays from rows
            ']', ''),            -- remove their opening brackets
        '[', ''),              -- remove their closing brackets
    ']') as json             -- finish wraping single array with closing bracket
from (
  select '[801, 751, 603, 753, 803]' as vals
  union select '[801, 751]'
  union select '[578, 66, 15]'
) as jsons;

# gives: [801, 751, 603, 753, 803, 801, 751, 578, 66, 15]

第二,使用json_table将数组转换为行。

select val
from (
    select concat('[',
        replace(
            replace(
                group_concat(vals),
                ']', ''),
            '[', ''),
        ']') as json
    from (
      select '[801, 751, 603, 753, 803]' as vals
      union select '[801, 751]'
      union select '[578, 66, 15]'
    ) as jsons
) as merged
join json_table(
    merged.json,
    '$[*]' columns (val int path '$')
) as jt
group by val;

# gives...
801
751
603
753
803
578
66
15

请参见https://dev.mysql.com/doc/refman/8.0/en/json-table-functions.html#function_json-table

有关group by val以获得独特值的通知。您还可以order它们以及所有内容...

或者您可以不使用group_concat(distinct val)指令(!)使用group by来获得单行结果。

或者甚至cast(concat('[', group_concat(distinct val), ']') as json)来获得正确的json数组:[15, 66, 578, 603, 751, 753, 801, 803]


阅读我的Best Practices for using MySQL as JSON storage:)