dql语句:
dql介绍
dql是数据查询语言,用来查询表中的记录
查询关键字:
select
单表查询
select 字段列表
form 表名列表
where 条件列表
group by 分组字段列表
having 分组后条件列表
order by 排序字段列表
limit 分页参数
基本查询分类:
基本查询、条件查询、聚合函数、分组查询、排序查询、分页查询
其中select *from 表名中的 * 代表的是所有的意思,意思是查询所有字段
select 字段1,字段2,字段3....from 表名 select * from 表名
设置别名
select 字段1(as 别名1),字段2(as别名2) … from 表名; 作用:使得查询结果更直观
去除重复记录
select distinct 字段列表 from 表名
dql之条件查询
条件查询
1.查询年龄等于88的员工
select * from emp where age = 88;
2.查询年龄小于20的员工信息
select *from emp where age<20;
3.查询年龄小于等于20的员工信息
select *from emp where age<=20;
4.查询没有身份证号的员工信息
select *from emp where idcard is null;
5.查询有身份证号的员工信息
select *from emp where idcard is not null;
6.查询年龄不等于88的员工信息
select * from emp where age != 88;
select * from emp where age <> 88;
7.查询年龄在15岁(包含) 到20岁(包含)之间的员工信息
select * from emp where age>=15 and age<=20;
select * from emp where age>=15 && age<=20;
select * from emp where age between 15 and 20;
注意:between后边要跟小范围,and后边跟大范围;不能跟反,要不会出错
8.查询性别为女且年龄小于25岁的员工信息
select * from emp where gender = '女' and age <25;
9.查询年龄等于18或20或40的员工信息
selecr * from emp where age = 18 or age = 20or age = 40;
select * from emp where age in (18,20,40);
10.查询姓名为两个字的员工信息
select * from name like '__';
一个下划线代表一个字符,like模糊搜索,限定多少位
11.查询身份证最后一位为x的员工信息
select * from emp where idcard like '%x';
上边这个表示只要数据中有任意的x就会搜索到
select * from emp where idcard like '_ 17个下划线_x';
dql之聚合函数
将一列数据作为一个整体进行纵向计算。注意,聚合函数是作用于某一列的
所有的null值是不计算聚合函数的。
聚合函数练习
1.统计该企业的员工数量
select count (*) from emp;查询所有数据(单位:条)
或者还可以具体到每一条
select count(idcard) from emp;
2.统计该企业员工的平均年龄
select avg(age) from emp;
3.统计该企业员工的最大年龄
select max(age) from emp;
4.统计该企业员工的最小年龄
select min (age) from emp;
5.统计西安地区所有员工的年龄之和
select sum(age) from emp where workspace = '西安';
分组查询(group by)
select 字段 from 表名 (where 条件) group by 分组字段名 (having 分组后过滤条件)
注意:
where和having的区别
执行时间不同: where是分组之前进行过滤,不满足where条件,不参与分组;而having 是分组之后对结果进行过滤。
判断条件不同: where不能对聚合函数进行判断,而having可以
分组查询举例:
1.根据性别分组,统计男性员工和女性员工的数量
select gender, count(*) from emp group by gender
2.根据性别分组,统计男性员工和女性员工的平均年龄
select gender, avg(age) from emp group by gender ;
3.查询年龄小于45的员工,并根据工作地址分组,获取员工数量大于等于3的工作地址
select workaddress,count(* ) address_count from emp where age<45 group by workaddress having count(*)>=3;
注意:
执行顺序:where>聚合函数>having
分组之后,查询字段一般为聚合函数和分组字段,查询其他字段无任何意义。
排序查询:(order by)
语法:
select 字段列表 from 表名 order by 字段1 排序方法1,字段2 排序方法;
排序方式:
asc:升序(默认)
desc:降序
注意:如果是多个字段排序,当第一个字段相同时,才会根据第二个字段进行排序。
排序查询练习
1.根据年龄对公司的员工进行升序排序
select * from emp order by age ace;
2.根据入职时间,对员工进行降序排序
select * from emp order by worktime desc;
3.根据年龄对公司的员工进行升序挂序,年龄相同,再按照入职时间进行降序排序
select * from emp order by age ace,worktime desc;
分页查询:
select 字段列表 from 表名 limit 起始索引,查询记录数;
注意:
起始索引是从0开始的,起始索引 = (查询页码-1)*每页显示记录数;比如:我现在要查询的是第二页的10条数据,每页显示10条记录,则我的起始索引就是 (2-1)*10;
分页查询是数据库的方言,每个数据库有不同的实现方式,mysql中使用的是limit
如果查询的是第一页的数据,起始索引可以省略,直接写为limit 查询记录数;
举例:
1.查询第一页员工的数据,每页展示10条数据
select * from emp limit 0,10;
2.查询第二页员工数据,每页展示10条数据
select * from emp limit 10.10;