简体   繁体   中英

Grouping by aggregate function max in MySQL

I have the table instructor as follows:

+-------+------------+------------+----------+
| ID    | name       | dept_name  | salary   |
+-------+------------+------------+----------+
| 10101 | Srinivasan | Comp. Sci. | 65000.00 |
| 12121 | Wu         | Finance    | 90000.00 |
| 15151 | Mozart     | Music      | 40000.00 |
| 22222 | Einstein   | Physics    | 95000.00 |
| 32343 | El Said    | History    | 60000.00 |
| 33456 | Gold       | Physics    | 87000.00 |
| 45565 | Katz       | Comp. Sci. | 75000.00 |
| 58583 | Califieri  | History    | 62000.00 |
| 76543 | Singh      | Finance    | 80000.00 |
| 76766 | Crick      | Biology    | 72000.00 |
| 83821 | Brandt     | Comp. Sci. | 92000.00 |
| 98345 | Kim        | Elec. Eng. | 80000.00 |
+-------+------------+------------+----------+

The query

 select dept_name, max(salary) from instructor group by dept_name;

will give me the max salary for each department in the instructor.

However, I want to get all the columns in the result, that is also ID and name of the highest paid instructor in each department. But I am not sure how to do that.

You can use your current query as a subquery which filters the original table:

SELECT i1.*
FROM instructor i1
INNER JOIN
(
    SELECT dept_name, MAX(salary) AS salary
    FROM instructor
    GROUP BY dept_name
) i2
    ON i1.dept_name = i2.dept_name AND i1.salary = i2.salary;

Please use below query:

SELECT ID, name, dept_name, salary
FROM( select ID, name, dept_name, salary, ROW_NUMBER() OVER(PARTITION BY  dept_name ORDER BY salary DESC) as ranks
 from instructor)T
 WHERE ranks = 1

you can also use correlated sub-query

select t.* from instructor  t
 where salary in
  ( 
    select  max(salary) from instructor t1 
    where t1.dept_name=t.dept_name
    group by t1.dept_name 
   )

http://sqlfiddle.com/#!9/f7018c/1

SELECT ins.id , ins.name 
FROM instructor ins 
inner join (
    SELECT ins2.id as id , MAX(ins2.salary) as salary 
    FROM instructor ins2 
    group by ins2.id
) as insG 
ON ins.id = insG.id AND ins.salary = insG.salary

You can use correlated subquery :

select i.*
from instructor i
where salary = (select max(i1.salary)
                from instructor i1
                where i1.dept_name = i.dept_name
               );

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM