在某些场景下(比如:用户上传文件或者图片等),一般的做法是将文件信息(文件名,文件路径,文件大小等)保存到文件表(user_file)中,然后再将用户所有上传的文件的id用一个指定字符拼接然后存在表(user)中某个字段里(假设是:file_ids)。 在展示用户上传的文件时就直接查询文件表中就好了:
select * from file where id in(select file_ids from user where id = 1);
sql语句没有问题,文件也能查询出来,但是,上传的文件大于1个后,再用这个sql语句查询就只返回1条记录了,可能就会疑惑了,为什么只返回一条记录???;
肯定有人做过这样的验证
select file_ids from user where id = 1
select file_ids from user where id in ('1' , '2' , '3');
select * from file where id in(select file_ids from user where id = 1)
select * from file where id in (select concat('\'', replace(file_ids,',','\',\'') ,'\'') from user where id = 1);
是因为这个查询只返回一个字段,所以只会返回一条记录(即使有多个逗号拼接,或者是手动拼接的,Mysql只认为是一个值,具体底层不清楚…),正确做法如下: 一:分两次查询(不是本文重点,但可以实现)
select file_ids from user where id = 1
select file_ids from user where id in ('1' , '2' , '3');
或者
select file_ids from user where find_in_set(id , '1,2,3');
二:将file_ids字段分割成多列,类似Mysql的行转列 与Mysql行转列区别:行转列要知道列的内容,而这个不用,只需知道拼接的字符就行了
SELECT
a.id,
a.file_ids,
substring_index(
substring_index(
a.file_ids,
',',
b.help_topic_id + 1
),
',' ,- 1
) file_id
FROM
user a
JOIN mysql.help_topic b ON b.help_topic_id < (
length(a.file_ids) - length(REPLACE(a.file_ids, ',', '')) + 1
)
where id = 1
;
上面语句可以直接复制过去,只需将a表及a表字段换成自己的表明及字段就行了,至于mysql.help_topic,是Mysql自带的,不用管的。
|