mysql将一行转多行的方法
- 目标
- 方法
- 分析
最近拆分数据,用到一行转多行的的场景。然鹅我并不会,百度大法走一波。 搜到了之后,拿到我的表中测试了一下,果然好用,然后就没管原理了,一顿复制粘贴解决了问题,实现了我们的宏伟目标:能用就行。
后面想来,这个学习态度不端正,还是大概给自己分析分析,这里是证据。
目标
先来看我到底要做什么事情
我要把这个样子的数据
转换成这个样子的
方法
上代码:
select a.id,substring_index(substring_index(a.phone, ',', b.help_topic_id + 1), ',', -1) phone
from worry_phone a
JOIN mysql.help_topic b
ON b.help_topic_id < ( length(a.phone) - length( REPLACE(a.phone, ',', '') ) + 1 )
where a.id = 'c85b4e6b04c52853fd763a08470b750b';
分析
问题是解决了,不过小朋友,你是否有很多问号?
eg. substring_index是干嘛的?为啥还用了两次?help_topic 又是什么鬼?好像和我不熟吧,管它什么事?它跑进来掺和什么?
- 先说一下SUBSTRING_INDEX()函数
SUBSTRING_INDEX(s, delimiter, number)
返回从字符串 s 的第 number 个出现的分隔符 delimiter 左边或者右边的子串,左边或者右边取决于number的正负
-- 如果 number 是正数,返回第 number 个字符左边的字符串。
SELECT SUBSTRING_INDEX('a*b*c*d*e','*',3); -- a*b*c
# 如果 number 是负数,返回第(number 的绝对值(从右边数))个字符右边的字符串。
SELECT SUBSTRING_INDEX('a*b*c','*',-1); -- c
# 所以,'a*b*c*d*e'中,如果我要得到d,则需要嵌套来用
SELECT SUBSTRING_INDEX(SUBSTRING_INDEX('a*b*c*d*e','*',4),'*',-1);
- 再说help_topic表
help_topic表是mysql库下的表
里面有啥东西呢?
其实和我们的业务无关,我们只是用到它的id,你如果有类似的表,也可以不用这张表。 - 然后看看这个join条件
JOIN mysql.help_topic b
ON b.help_topic_id < ( length(a.phone) - length( REPLACE(a.phone, ',', '') ) + 1 )
效果是phone里面有几条数据,就会生成几行数据
- 最后看看这句
substring_index(substring_index(a.phone, ',', b.help_topic_id + 1), ',', -1)
利用help_topic_id巧妙地取到了phone里面的第 help_topic_id + 1 条数据
- 如果还不是很明白,我再把sql一步一步拆分,大约就能明白了
-- 去掉substring_index函数且把 help_topic_id加上,便于辅助我们理解
select a.id, a.phone,b.help_topic_id
from worry_phone a
JOIN mysql.help_topic b
ON b.help_topic_id < ( length(a.phone) - length( REPLACE(a.phone, ',', '') ) + 1 )
where a.id = 'c85b4e6b04c52853fd763a08470b750b';
上述sql查询结果:
-- 加上一个substring_index
select a.id, substring_index(a.phone, ',', b.help_topic_id + 1) phone ,b.help_topic_id
from worry_phone a
JOIN mysql.help_topic b
ON b.help_topic_id < ( length(a.phone) - length( REPLACE(a.phone, ',', '') ) + 1 )
where a.id = 'c85b4e6b04c52853fd763a08470b750b';
上述sql查询结果
-- 两个substring_index 都加上
select a.id, substring_index(substring_index(a.phone, ',', b.help_topic_id + 1), ',', -1) phone, b.help_topic_id
from worry_phone a
JOIN mysql.help_topic b
ON b.help_topic_id < ( length(a.phone) - length( REPLACE(a.phone, ',', '') ) + 1 )
where a.id = 'c85b4e6b04c52853fd763a08470b750b';
上述查询结果是这样:
这下应该能理解了把
做个笔记,方便查询。