Mysql
 sql >> Database >  >> RDS >> Mysql

Come trovare tutti gli intervalli di valori di timestamp di ogni minuto tra i due record di timestamp nel mio database sql

Con l'aiuto di https://stackoverflow.com/a/45992247/7616138 per generare una serie in MySQL ho giocherellato in giro per produrre questo:

Supponendo che la tua tabella si chiami entries , la query seguente produce il risultato richiesto. Si prega di notare che questa query non è molto efficiente poiché utilizza i collegamenti incrociati per creare la serie di minuti. Se i tuoi intervalli sono più grandi, potrebbe essere necessario estendere le giunzioni incrociate.

SELECT 
    a.*, 
    DATE_ADD(DATE_SUB(a.open_date, INTERVAL SECOND(a.open_date) SECOND), INTERVAL gen_time MINUTE) AS gen_date_time
FROM 
    entries AS a
    LEFT JOIN
        (
            SELECT
                m3 * 1000 + m2 * 100 + m1 * 10 + m0 AS gen_time
            FROM
                (SELECT 0 m0 UNION SELECT 1 UNION SELECT 2 UNION SELECT 3 UNION SELECT 4 UNION SELECT 5 UNION SELECT 6 UNION SELECT 7 UNION SELECT 8 UNION SELECT 9) AS m0,
                (SELECT 0 m1 UNION SELECT 1 UNION SELECT 2 UNION SELECT 3 UNION SELECT 4 UNION SELECT 5 UNION SELECT 6 UNION SELECT 7 UNION SELECT 8 UNION SELECT 9) AS m1,
                (SELECT 0 m2 UNION SELECT 1 UNION SELECT 2 UNION SELECT 3 UNION SELECT 4 UNION SELECT 5 UNION SELECT 6 UNION SELECT 7 UNION SELECT 8 UNION SELECT 9) AS m2,
                (SELECT 0 m3 UNION SELECT 1 UNION SELECT 2 UNION SELECT 3 UNION SELECT 4 UNION SELECT 5 UNION SELECT 6 UNION SELECT 7 UNION SELECT 8 UNION SELECT 9) AS m3
            ORDER BY
                gen_time asc
        ) AS b ON (DATE_ADD(a.open_date, INTERVAL gen_time MINUTE) <= a.close_date)
ORDER BY
    a.id,
    gen_date_time

Spiegazione:

Ogni riga come SELECT 0 m0 UNION SELECT 1 UNION SELECT 2 UNION SELECT 3 UNION SELECT 4 UNION SELECT 5 UNION SELECT 6 UNION SELECT 7 UNION SELECT 8 UNION SELECT 9 produce i numeri da 0 a 9. Unendo insieme più di queste linee si ottiene ogni possibile combinazione di questi numeri. Usiamo ogni riga per produrre una cifra specifica del numero di minuti da aggiungere a open_date (m3 * 1000 + m2 * 100 + m1 * 10 + m0 ). Questa serie di minuti viene unita alla tabella delle voci utilizzando solo il numero di minuti che rientra nell'intervallo (DATE_ADD(a.open_date, INTERVAL gen_time MINUTE) <= a.close_date ). Nel SELECT il open_date viene arrotondato al minuto (DATE_SUB(a.open_date, INTERVAL SECOND(a.open_date) SECOND) ) e viene aggiunto il numero di minuti (DATE_ADD(..., INTERVAL gen_time MINUTE) ).

Schema presunto e dati di esempio:

CREATE TABLE entries (
  id INT AUTO_INCREMENT PRIMARY KEY,
  open_date TIMESTAMP,
  close_date TIMESTAMP
);

INSERT INTO entries (open_date, close_date) VALUES
  ("2019-07-03 16:28:39.497", "2019-07-04 16:28:39.497"),
  ("2019-07-04 15:28:39.497", "2019-07-05 19:28:39.497");