GROUP_CONCAT为MySQL提供的函数,用于实现在GROUP BY产生的每一个分组中将指定字段的值连接起来。本文为您介绍如何通过MaxCompute的内建函数实现GROUP_CONCAT函数的能力。
对于该表中的数据,现需要对所有商品按照商品名称(name)进行分组,实现如下需求:
需求一:将同组的价格(price)进行合并,不去重。MySQL的GROUP_CONCAT函数实现代码如下。
select name, group_concat(price) from price_total group by name;
需求二:将同组的价格(price)进行合并,并去重。MySQL的GROUP_CONCAT函数实现代码如下。
select name, group_concat(distinct price) from price_total group by name;
需求三:将同组的价格(price)进行合并且排序,不去重。MySQL的GROUP_CONCAT函数实现代码如下。
select name, group_concat(price order by price desc) from price_total group by name;
需求四:将同组的价格(price)进行合并且排序,并去重。MySQL的GROUP_CONCAT函数实现代码如下。
select name, group_concat(distinct price order by price desc) from price_total group by name;
需求五:将同组的价格(price)、商家ID(saleid)进行合并。MySQL的GROUP_CONCAT函数实现代码如下。
select name, group_concat(concat_ws(':', price, saleid)) from price_total group by name;
基于上表所列区别,通过WM_CONCAT函数可实现案例中的如下需求:
需求一:将同组的价格(price)进行合并,不去重。
select name, wm_concat(',', price) as price_new from price_total group by name;
返回结果如下。
+--------+-----------+
| name | price_new |
+--------+-----------+
| bag | 50,100 |
| noodle | 2,2,5 |
| potato | 5,4 |
| sugar | 20,10,50 |
+--------+-----------+
需求二:将同组的价格(price)进行合并,并去重。
select name, wm_concat(distinct ',', price) as price_new from price_total group by name;
返回结果如下。
+--------+-----------+
| name | price_new |
+--------+-----------+
| bag | 100,50 |
| noodle | 2,5 |
| potato | 4,5 |
| sugar | 10,20,50 |
+--------+-----------+
需求三:将同组的价格(price)进行合并,不去重 。
--解除order by必须带limit的限制。
set odps.sql.validate.orderby.limit=false;
select name, wm_concat(',', price) as price_new from (select name, price from price_total ) group by name;
返回结果如下。
+--------+-----------+
| name | price_new |
+--------+-----------+
| bag | 100,50 |
| noodle | 5,2,2 |
| potato | 5,4 |
| sugar | 50,20,10 |
+--------+-----------+
需求四:将同组的价格(price)进行合并且排序,并去重。
--解除order by必须带limit的限制。
set odps.sql.validate.orderby.limit=false;
select name, wm_concat(',', price) as price_new from (select distinct name, price from price_total order by name, price asc) group by name;
返回结果如下。
+--------+-----------+
| name | price_new |
+--------+-----------+
| bag | 50,100 |
| noodle | 2,5 |
| potato | 4,5 |
| sugar | 10,20,50 |
+--------+-----------+
需求五:将同组的价格(price)、商家ID(saleid)进行合并。
select name, wm_concat(',', concat_ws(':',price,saleid)) as price_new from price_total group by name;
--等效于如下语句。
select name, wm_concat(',', concat(price,':',saleid)) from price_total group by name;
返回结果如下。
+--------+-----------------+
| name | price_new |
+--------+-----------------+
| bag | 50:1,100:2 |
| noodle | 2:4,2:5,5:1 |
| potato | 5:6,4:3 |
| sugar | 20:3,10:4,50:7 |
+--------+-----------------+