Entschuldigung für die Nekromantie, aber ich bin auf ein ähnliches Problem gestoßen. Die Lösung lautet:JSON_TABLE()
verfügbar seit MySQL 8.0.
Führen Sie zuerst die Arrays in Zeilen zu einem einzeiligen Einzelarray zusammen.
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]
Zweitens verwenden Sie json_table
um das Array in Zeilen umzuwandeln.
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
Siehe https://dev. mysql.com/doc/refman/8.0/en/json-table-functions.html#function_json-table
Beachten Sie group by val
um eindeutige Werte zu erhalten. Sie können auch order
sie und alles...
Oder Sie können group_concat(distinct val)
verwenden ohne group by
Direktive (!), um ein einzeiliges Ergebnis zu erhalten.
Oder sogar cast(concat('[', group_concat(distinct val), ']') as json)
um ein richtiges json-Array zu erhalten:[15, 66, 578, 603, 751, 753, 801, 803]
.
Lesen Sie meine Best Practices für die Verwendung von MySQL als JSON-Speicher :)