SQL中的分组函数与分组查询
语法
select [distinct] * | 列名1,列名2..., 列名n , 组函数(...) from 表名1,表名2... [where 条件][group by 列名1,列名2... ] [having 条件][order by 排序列名1 ASC | DESC , 排序列名2 ASC | DESC...]
分组函数
- count(): 统计的是非null的个数
- sum() :记录的总和
- avg():平均值
- max():最大值
- min():最小值
1. 查询出所有员工的个数
select count(empno) from emp select count(comm) from emp
2. 查询出所有员工的总薪资
select sum(salary) from emp
3. 查询出所有员工的平均薪资
select avg(salary) from emp
4. 查询出所有员工的最大薪资
select max(salary) from emp
5. 查询出所有员工的最小薪资
select min(salary) from emp
6. 统计各职位的员工个数
select job 职位, count(empno) 人数 from emp group by job -- 按照job 分组
7. 统计各部门的员工个数,根据部门编号升序排序
select deptno ,count(empno) from emp group by deptno order by deptno
8. 统计各部门各职位的员工人数,根据部门编号升序排序,部门编号相同,则按照职位的字母先后顺序排序
部门编号 职位 人数 10 clerk 9 10 manager 3 10 others 2 20 clerk 5 20 manager 6 20 others 1 select deptno 部门编号, job 职位,count(empno) 人数 from emp group by deptno,job order by deptno,job
9. 统计10部门的各职位的员工人数(显示部门编号,职位名称,员工人数)
部门编号 职位 人数 10 员工 9 10 经理 3 10 主管 2 select deptno 部门编号, job 职位,count(empno) 人数 from emp where deptno=10 group by job
10. 查询10部门的各职位的员工人数大于2的职位信息(显示部门编号,职位名称,员工人数)
部门编号 职位 人数 10 员工 9 10 经理 3 [10 主管 2 ---过滤出去]
select deptno 部门编号, job 职位,count(empno) 人数 from emp where deptno=10 group by job having count(empno) >2
group by 分组使用注意事项:
- (1)select 单列, 组函数 from ... 【错误】,一定要与group by 使用
where 与 having 的区别:
- (1)where 是分组之前的要过滤的条件,where后面不能与组函数一起使用 【where 与分组无关】
- (2)having 是分组之后的结果之上再做的过滤,having可以与组函数一起使用【having 与分组一起使用】
课堂练习
分组函数: count() : 总个数 sum(): 总和 avg(): 平均值 max(): 最大值 min(): 最小值 -- 1.查询所有员工人数 select count(empno) from emp -- 2.查询所有员工总薪资 select sum(salary) from emp -- 3.查询所有员工平均薪资 select avg(salary) from emp -- 4.查询所有员工的最高薪资 select max(salary) from emp -- 5.查询所有员工最低工资 select min(salary) from emp -- 6. 查询出20部门的最高薪资 select max(salary) from emp where deptno = 20 -- 7.查询出职位是'CLERK'部门的平均薪资 select avg(salary) from emp where job = 'CLERK' -- 8.查询出30部门的员工人数 select count(empno)from emp where deptno = 30 -- 9.查询出10,20部门的总薪资 select sum(salary)from emp where deptno = 10 or deptno =20 -- -----------------分组查询 group by ----------------- -- 10.查询出每个部门的人数 select deptno ,count(empno) from emp group by deptno -- 12. 查询出各职位的平均薪资,按照薪资降序排序 select job ,avg(salary) from emp group by job order by avg(salary) desc -- 13. 查询出各部门的最高薪资值 select job ,max(salary) from emp group by job -- 14. 查询出各职位的薪资总和 select job ,sum(salary) from emp group by job -- 15. 查询出各部门各职位的员工人数 select deptno,job ,count(empno) from emp group by deptno,job order by count(empno) asc -- 14. 查询出各部门薪资2000的员工个数 select deptno,count(empno) from emp where salary > 2000 group by deptno -- =======================having 使用================= having + group by :分组之后进行的条件过滤 -- 15. 查询出各部门员工个数超过3的部门编号,人数 select deptno,count(empno) from emp group by deptno -- 分组之后的筛选 having count(empno) >3