SQLで複数行をカンマ区切り等で1行にまとめるgroup_concat
SQLで複数行から得られる結果を1行にまとめたい!なんて場合ありますよね。
行データをカンマ区切りデータの1列にしたい時だとか。
そんな夢をかなえます!
BEFORE
data:image/s3,"s3://crabby-images/3625a/3625a112909bb5fb5192b8554e47763e0b72c49a" alt=""
AFTER
data:image/s3,"s3://crabby-images/44797/44797ded38de836fdebd0e985544cb461a7e78a3" alt=""
使い方
基本
こんなtestというテーブルに対して実行してみます。
data:image/s3,"s3://crabby-images/3c762/3c762b648e5654600e36819335fd617992382609" alt=""
まず一番基本の使い方。
複数行をカンマで区切って表示してみます。
select
group_concat(
col2 separator ',' -- カンマ区切り
)
from
test
;
縦に表示されてた行が横になりましたね!
data:image/s3,"s3://crabby-images/28474/28474661d89253c150574a9aa543932b83a57ab7" alt=""
同じ値をまとめたい
同じ値は必要ない!という場合はdistinctを使えます。
select
group_concat(
distinct -- 同じ行は省略
col2 separator ',' -- カンマ区切り
)
from
test
;
1つずつにまとまりました!
data:image/s3,"s3://crabby-images/11ffe/11ffef45b58d47f9fb7778b8b0b22a108243269b" alt=""
並び替え
order byも使える
select
group_concat(
distinct -- 同じ行は省略
col2 separator ',' -- カンマ区切り
order by col2 desc -- 並び替え
)
from
test
;
MySQLのバージョンの問題などで使えない場合はサブクエリ内でテーブルを作ってから
select
group_concat(
distinct -- 同じ行は省略
col2 separator ',' -- カンマ区切り
)
from
(
select
*
from
test
order by
col2 desc -- 並び替え
) as test2 -- サブクエリ
;
data:image/s3,"s3://crabby-images/92ee5/92ee58907783398a8b6deba2c1ee2b30d419a949" alt=""
条件
条件を指定したい場合はサブクエリ内でやっちゃいましょう
select
group_concat(
distinct -- 同じ行は省略
col2 separator ',' -- カンマ区切り
)
from
(
select
*
from
test
where
col2 != "A" -- 条件指定
order by
col2 desc -- 並び替え
) as test2 -- サブクエリ
;
data:image/s3,"s3://crabby-images/a37af/a37af9ded6ec5ad5b3b96b8a40ac371a1ef43a30" alt=""
複数行表示
ちょっと応用編です。
いままでは全行を対象にして1行にまとめていましたが、
実践ではこのままでは使い物にならないでしょう。
何かの値ごとにグルーピングして連結するということが大半だと思います。
col2ごとにそれぞれマッチするものを連結するとこのようになります。
data:image/s3,"s3://crabby-images/2775f/2775fc8deebc8ddd29c8ff5dc9726e22747f5ff0" alt=""
やり方としてはgroup byの項目を追加するだけです。
select
col2
, group_concat(
distinct -- 同じ行は省略
col1 separator ',' -- カンマ区切り
)
from
test
group by
col2 -- このカラムごとに行をわける
data:image/s3,"s3://crabby-images/8840b/8840b02024e622e577748d6d8594c94e4a8b65b7" alt=""
できました!
コメント