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

Unire le tabelle in base al valore massimo

Rispondere alla domanda EDITED (ovvero per ottenere anche le colonne associate).

In Sql Server 2005+, l'approccio migliore sarebbe utilizzare una ranking/window funzione insieme a un CTE , in questo modo:

with exam_data as
(
    select  r.student_id, r.score, r.date,
            row_number() over(partition by r.student_id order by r.score desc) as rn
    from    exam_results r
)
select  s.name, d.score, d.date, d.student_id
from    students s
join    exam_data d
on      s.id = d.student_id
where   d.rn = 1;

Per una soluzione conforme ANSI-SQL, una sottoquery e un self-join funzioneranno, in questo modo:

select  s.name, r.student_id, r.score, r.date
from    (
            select  r.student_id, max(r.score) as max_score
            from    exam_results r
            group by r.student_id
        ) d
join    exam_results r
on      r.student_id = d.student_id
and     r.score = d.max_score
join    students s
on      s.id = r.student_id;

Quest'ultimo presuppone che non ci siano combinazioni student_id/max_score duplicate, se ci sono e/o vuoi pianificare di deduplicarle, dovrai usare un'altra sottoquery a cui unirti con qualcosa di deterministico per decidere quale record estrarre . Ad esempio, supponendo che tu non possa avere più record per un determinato studente con la stessa data, se volessi rompere un pareggio in base al max_score più recente, dovresti fare qualcosa di simile a quanto segue:

select  s.name, r3.student_id, r3.score, r3.date, r3.other_column_a, ...
from    (
            select  r2.student_id, r2.score as max_score, max(r2.date) as max_score_max_date
            from    (
                        select  r1.student_id, max(r1.score) as max_score
                        from    exam_results r1
                        group by r1.student_id
                    ) d
            join    exam_results r2
            on      r2.student_id = d.student_id
            and     r2.score = d.max_score
            group by r2.student_id, r2.score
        ) r
join    exam_results r3
on      r3.student_id = r.student_id
and     r3.score = r.max_score
and     r3.date = r.max_score_max_date
join    students s
on      s.id = r3.student_id;

EDIT:aggiunta una corretta query di deduplicazione grazie alla buona cattura di Mark nei commenti