数据库
首页 > 数据库> > 我可以将多个MySQL行连接到一个字段中吗?

我可以将多个MySQL行连接到一个字段中吗?

作者:互联网

使用MySQL,我可以做类似的事情:

SELECT hobbies FROM peoples_hobbies WHERE person_id = 5;

我的输出:

shopping
fishing
coding

但相反,我只想要1行,1 col:

预期产出:

shopping, fishing, coding

原因是我从多个表中选择了多个值,并且在所有连接之后,我有比我想要的更多的行.

我在MySQL Doc上寻找了一个函数,它看起来不像CONCAT或CONCAT_WS函数接受结果集,所以这里的任何人都知道如何做到这一点吗?

解决方法:

你可以使用GROUP_CONCAT

SELECT person_id, GROUP_CONCAT(hobbies SEPARATOR ', ')
FROM peoples_hobbies
GROUP BY person_id;

正如Ludwig在his comment,中所述,您可以添加DISTINCT运算符以避免重复:

SELECT person_id, GROUP_CONCAT(DISTINCT hobbies SEPARATOR ', ')
FROM peoples_hobbies 
GROUP BY person_id;

正如Jan在their comment,中所述,您还可以在使用ORDER BY对其进行插入之前对值进行排序:

SELECT person_id, GROUP_CONCAT(hobbies ORDER BY hobbies ASC SEPARATOR ', ')
FROM peoples_hobbies
GROUP BY person_id;

正如Dag在his comment,中所说,结果有1024字节的限制.要解决此问题,请在查询之前运行此查询:

SET group_concat_max_len = 2048;

当然,您可以根据需要更改2048.要计算和分配值:

SET group_concat_max_len = CAST(
    (SELECT SUM(LENGTH(hobbies)) + COUNT(*) * LENGTH(', ')
    FROM peoples_hobbies 
    GROUP BY person_id)
    AS UNSIGNED
);

标签:concat,sql,mysql,group-concat
来源: https://codeday.me/bug/20190910/1802339.html