8,DQL
下面是黑马程序员展示试题库数据的页面
页面上展示的数据肯定是在数据库中的试题库表中进行存储,而我们需要将数据库中的数据查询出来并展示在页面给用户看。上图中的是最基本的查询效果,那么数据库其实是很多的,不可能在将所有的数据在一页进行全部展示,而页面上会有分页展示的效果,如下:
当然上图中的难度字段当我们点击也可以实现排序查询操作。从这个例子我们就可以看出,对于数据库的查询时灵活多变的,需要根据具体的需求来实现,而数据库查询操作也是最重要的操作,所以此部分需要大家重点掌握。
接下来我们先介绍查询的完整语法:
SELECT
字段列表
FROM
表名列表
WHERE
条件列表
GROUP BY
分组字段
HAVING
分组后条件
ORDER BY
排序字段
LIMIT
分页限定
为了给大家演示查询的语句,我们需要先准备表及一些数据:
-- 删除stu表
drop table if exists stu;
-- 创建stu表
CREATE TABLE stu (
id int, -- 编号
name varchar(20), -- 姓名
age int, -- 年龄
sex varchar(5), -- 性别
address varchar(100), -- 地址
math double(5,2), -- 数学成绩
english double(5,2), -- 英语成绩
hire_date date -- 入学时间);
);
接下来咱们从最基本的查询语句开始学起。
8.1 基础查询
8.1.1 语法
- 查询多个字段
SELECT 字段列表 FROM 表名;
SELECT * FROM 表名; -- 查询所有数据
- 去除重复记录
SELECT DISTINCT 字段列表 FROM 表名;
- 起别名
AS: AS 也可以省略
8.1.2 练习
- 查询name、age两列
select name,age from stu;
- 查询所有列的数据,列名的列表可以使用*替代
select * from stu;
上面语句中的*不建议大家使用,因为在这写*不方便我们阅读sql语句。我们写字段列表的话,可以添加注释对每一个字段进行说明
- 而在上课期间为了简约课程的时间,老师很多地方都会写*。
- 查询地址信息
select address from stu;
- 执行上面语句结果如下:
- 从上面的结果我们可以看到有重复的数据,我们也可以使用
distinct
关键字去重重复数据。
- 去除重复记录
select distinct address from stu;
查询姓名、数学成绩、英语成绩。并通过as给math和english起别名(as关键字可以省略)
select name,math as 数学成绩,english as 英文成绩 from stu;
select name,math 数学成绩,english 英文成绩 from stu;
8.2 条件查询
8.2.1 语法
SELECT 字段列表 FROM 表名 WHERE 条件列表;
- 条件
条件列表可以使用以下运算符
8.2.2 条件查询练习
- 查询年龄大于20岁的学员信息
select * from stu where age > 20;
- 查询年龄大于等于20岁的学员信息
select * from stu where age >= 20;
查询年龄大于等于20岁 并且 年龄 小于等于 30岁 的学员信息
select * from stu where age >= 20 && age <= 30;
select * from stu where age >= 20 and age <= 30;
上面语句中 && 和 and 都表示并且的意思。建议使用 and 。
也可以使用 between ... and 来实现上面需求
select * from stu where age BETWEEN 20 and 30;
- 查询入学日期在'1998-09-01' 到 '1999-09-01' 之间的学员信息
- select * from stu where hire_date BETWEEN '1998-09-01' and '1999-09-01';
- 查询年龄等于18岁的学员信息
select * from stu where age = 18;
- 查询年龄不等于18岁的学员信息
select * from stu where age != 18;
select * from stu where age <> 18;
- 查询年龄等于18岁 或者 年龄等于20岁 或者 年龄等于22岁的学员信息
select * from stu where age = 18 or age = 20 or age = 22;
select * from stu where age in (18,20 ,22);
查询英语成绩为 null的学员信息
null值的比较不能使用 = 或者 != 。需要使用 is 或者 is not
select * from stu where english = nul -- 这个语句是不行的l;
select * from stu where english is null;
select * from stu where english is not null;
8.2.3 模糊查询练习
模糊查询使用like关键字,可以使用通配符进行占位:
(1)_ : 代表单个任意字符
(2)% : 代表任意个数字符
- 查询姓'马'的学员信息
select * from stu where name like '马%';
- 查询第二个字是'花'的学员信息
- select * from stu where name like '_花%';
- 查询名字中包含 '德' 的学员信息
select * from stu where name like '%德%';