Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

MySQL : group by column and get date range

Tags:

php

mysql

I have a table like this

id - price - date
1  - 10    - 01/01/2017
2  - 10    - 02/01/2017
3  - 10    - 03/01/2017
4  - 10    - 04/01/2017
5  - 10    - 05/01/2017
6  - 20    - 06/01/2017
7  - 20    - 07/01/2017
8  - 20    - 08/01/2017
9  - 20    - 09/01/2017
10 - 10    - 10/01/2017
11 - 10    - 11/01/2017
12 - 10    - 12/01/2017
13 - 10    - 13/01/2017

And I want to show result this way

10 - 01/01/2017 - 05/01/2017
20 - 06/01/2017 - 09/01/2017
10 - 10/01/2017 - 13/01/2017

My query is

SELECT price, min(date), max(date) FROM mytable GROUP BY price

but result is

20 - 06/01/2017 - 09/01/2017
10 - 10/01/2017 - 13/01/2017

Can I get right result with mysql query or must find a php solution?

like image 305
FireFoxII Avatar asked Feb 08 '17 14:02

FireFoxII


1 Answers

This is a gaps and islands problem. You can use variables in order to detect islands of consecutive records having the same price value:

SELECT price, MIN(`date`) AS start_date, MAX(`date`) AS end_date
FROM (
   SELECT id, price, `date`,
          @rn := @rn + 1 AS rn,
          -- If price remains the same then increase island population,
          -- otherwise reset it
          @seq := IF(@p = price, @seq + 1,
                      IF(@p := price, 1, 1)) AS seq
   FROM mytable
   CROSS JOIN (SELECT @p := 0, @rn := 0, @seq := 0) AS vars
   ORDER BY `date`) AS t
GROUP BY price, rn - seq
like image 64
Giorgos Betsos Avatar answered Oct 15 '22 00:10

Giorgos Betsos