I am trying to select a summary of candle data from a mysql table that represents trading prices and volume of markets.
The table holds data for 1 minute candle data. I would like to get a 5 minute summary (essentially interpreting it as a 5 minute candle).
The table looks like this:
+--------+------+------+------+-------+--------+-------+
| market | open | high | low | close | volume | time |
+--------+------+------+------+-------+--------+-------+
| ABC | 13.6 | 15.4 | 11.2 | 14.1 | 299.4 | 11:59 |
| ABC | 14.1 | 16.8 | 12.5 | 15.3 | 342.2 | 12:00 |
| ABC | 15.3 | 16.3 | 11.2 | 14.2 | 351.5 | 12:01 |
| ABC | 14.2 | 15.5 | 12.3 | 13.2 | 374.2 | 12:02 |
| DEF | 93.7 | 94.3 | 90.7 | 93.2 | 1123.3 | 11:59 |
| DEF | 93.2 | 96.5 | 91.1 | 96.3 | 1232.8 | 12:00 |
| DEF | 96.3 | 98.2 | 95.3 | 95.4 | 1390.4 | 12:01 |
| DEF | 95.4 | 97.6 | 93.7 | 94.3 | 1360.9 | 12:02 |
+--------+------+------+------+-------+--------+-------+
I need to select from this table to generate a new candle that represents a larger time frame. For example, to represent a 5 minute candle I need to combine data from five 1 minute candles.
The new candle needs to follow the following rules
- open column is from first(candles[open])
- high column is from max(candles[high])
- low column is from min(candles[low])
- close column is from last(candles[close])
- volume column is from sum(candles[volume])
In this example I have just collected the 3 latest candles
+--------+------+------+------+-------+--------+-------+
| market | open | high | low | close | volume | time |
+--------+------+------+------+-------+--------+-------+
| ABC | 14.1 | 16.8 | 11.2 | 13.2 | 1067.9 | 12:00 |
| DEF | 93.2 | 98.2 | 91.1 | 94.3 | 3984.1 | 12:00 |
+--------+------+------+------+-------+--------+-------+
So far I have
SELECT
market,
MAX(high) AS 'high',
MIN(low) AS 'low',
SUM(volume) AS 'volume'
FROM
candles
WHERE
time > (UNIX_TIMESTAMP() - 300)
GROUP BY
market
This works correctly when ignoring the open and close columns. I cannot figure out how to include the open and close columns in this query. I have tried using subqueries but have had no success.