Amount of data from one column to several columns with MySQL?

I am having trouble understanding how to split and count the different actions in separate columns. This is the starting table:

+------------+---------+
| CustomerID |Activity |
+------------+---------+
|          1 | Click   |
|          1 | View    |
|          1 | Inquiry |
|          2 | Click   |
|          2 | View    |
|          3 | Click   |
|          3 | Click   |
+------------+---------+

I would like to convert it to this:

+------------+------+-------+---------+
| CustomerID | View | Click | Inquiry |
+------------+------+-------+---------+
|          1 |    1 |     1 |       1 |
|          2 |    1 |     1 |       0 |
|          3 |    0 |     2 |       0 |
+------------+------+-------+---------+
+4
source share
1 answer

You can use case statementand sumhow,

select 
    `CustomerID`,
    sum(case when `Activity` = 'View' then 1 else 0 end) `View`,
    sum(case when `Activity` = 'Click' then 1 else 0 end) `Click`,
    sum(case when `Activity` = 'Inquiry' then 1 else 0 end) `Inquiry`
from `tbl`
group by `CustomerID`
order by `CustomerID`

Output signal

CustomerID  View    Click   Inquiry
1             1     1       1
2             1     1       0
3             0     2       0
+5
source

Source: https://habr.com/ru/post/1654087/


All Articles