在我的 mysql dababase 中,我有 2 个表格">品牌"和">型号">
CREATE table brands (
id int(11),
brand_name varchar(20));
CREATE TABLE models (
id int(11),
idBrand int(11),
model_name varchar(20));
我想编写一个函数,允许我显示这样的 requet 结果:
Brand_name model_name
brand_1 model_1_1, model_1_2, model_l_3
brand_2 model_2_1, model_2_2, model_2_3
您可以使用group_concat
函数:
select b.id, max(brand_name), group_concat(model_name)
from brands b join models m
on b.id = m.idBrand
group by b.id;
或者,如果您不想选择 id,这也是有效的:
select brand_name, group_concat(model_name)
from brands b join models m
on b.id = m.idBrand
group by brand_name;
这是一个演示
如果你想返回一个完整的集合,那么你可以创建过程:
CREATE procedure test_proc ()
BEGIN
select brand_name, group_concat(model_name) model_name
from brands b join models m
on b.id = m.idBrand
group by brand_name;
END
并像这样称呼它:
call test_proc();
因为正如你在这里看到的:https://dev.mysql.com/doc/refman/8.0/en/create-function-udf.html 函数无法返回这种数据......
您可以使用 Mysql 函数获得所需的结果group_concat如下所示:
Select br.brand_name,
group_concat(mod.model_name SEPARATOR ',') AS model_name
from brands br join models mod
on br.id = mod.idBrand
group by br.brand_name;
我希望这有帮助!