函数:oracle服务器先事写好的一段具有一定功能的程序片段,内置于oracle服务器,供用户调用
单行函数:输入一个参数,输出一个结果,例如:upper('baidu.com')->BAIDU.COM
多行函数:输入多个参数,或者是内部扫描多次,输出一个结果,例如:count(*)->14
1.1、统计emp表中员工总人数
select count(*) from emp;
*号适用于表字段较少的情况下,如果字段较多,扫描多间多,效率低,项目中提倡使用某一个非null唯一的字段,通常是主键
1.2、统计公司有多少个不重复的部门distinct关键字
select count(distinct deptno) from emp;
1.3、统计有佣金的员工人数
select count(comm) from emp;
注意:今天讲的这些多个行函数,不统计NULL值
2.1、员工总工资,平均工资,四舍五入,保留小数点后0位
select sum(sal) "总工资",round(avg(sal),0) "平均工资" from emp;
3.1、查询员工表中最高工资,最低工资
select max(sal) "最高工资",min(sal) "最低工资" from emp;
3.2、入职最早,入职最晚员工
select max(hiredate) "最晚入职时间",min(hiredate) "最早入职时间" from emp;
4.1、按部门求出该部门平均工资,且平均工资取整数,采用截断
select deptno "部门编号",trunc(avg(sal),0) "部门平均工资"
from emp
group by deptno;
5.1、(继续)查询部门平均工资大于2000元的部门
select deptno "部门编号",trunc(avg(sal),0) "部门平均工资"
from emp
group by deptno
having trunc(avg(sal),0) > 2000;
5.2、(继续)按部门平均工资降序排列(order by永远放在最后面)
select deptno "部门编号",trunc(avg(sal),0) "部门平均工资"
from emp
group by deptno
having trunc(avg(sal),0) > 2000
order by 2 desc;
6.1、除10号部门外,查询部门平均工资大于2000元的部门,方式一【having deptno<>10】
select deptno,avg(sal)
from emp
group by deptno
having deptno<>10;
6.2、除10号部门外,查询部门平均工资大于2000元的部门,方式二【where deptno<>10】
select deptno,avg(sal)
from emp
where deptno<>10
group by deptno;
提倡
6.3、显示部门平均工资的最大值
select max(avg(sal)) "部门平均工资的最大值"
from emp
group by deptno;
6.3、思考:显示部门平均工资的最大值和该部门编号?
select max(avg(sal)) "部门平均工资的最大值",deptno "部门编号"
from emp
group by deptno;
错误
更正如下:
Select * from (select avg(sal) "部门平均工资的最大值", deptno "部门编号" from emp group by deptno order by 1 desc) where rownum = 1;