DQL语句(Data Query Language)
查询数据库中的记录,关键字 SELECT
语法:
SELECT col_name1,col_name2... FROM tb_name [WHERE where_definition]...
1.3.1. Select语句(1)
练习1
创建一张学生成绩表,有id、name、chinese、english、math 字段。
(1)、查询表中所有学生的信息
select * from student;
(2)、查询表中所有学生的姓名和对应的英语成绩。
select name,english FROM student;
(3)、过滤表中重复math 成绩。
selectdistinct math FROM student;
代码:
create table student(
id int,
name varchar(20),
chinese float,
english float,
math float
);
insert into student values(1,'zs',60,70,89);
insert into student values(2,'lisi',61,77,85);
insert into student values(3,'ww',62,73,85);
insert into student values(4,'ll',63,72,84);
insert into student values(5,'zq',64,73,87);
insert into student values(6,'wb',65,73,83);
insert into student values(7,'jj',66,76,82);
1.3.2. Select 语句(2)
expression : mysql支持表达式 加减乘除;
as: 表示给某一列起别名;并且as 可以省略;
练习:
(1).在所有学生数学分数上加10分特长分。
select name,math+10 FROM student; # 原表数据不会改变。
(2).统计每个学生的总分。
select name,chinese+english+math FROM student;
(3).使用别名表示学生分数
select name as 姓名,chinese+english+math 总分 FROM student;
1.3.3. Select 语句(3)
使用where 语句进行过滤查询
练习:
(1).查询姓名为王五的学生成绩
select * from student where name='王五';
(2).查询英语成绩大于90分的同学
select * from student where english>90;
(3).查询总分大于200分的所有同学
select * from student where (chinese+english+math)>200;
1.3.4 Select 语句(4)
在Where语句中经常使用的运算符
注: 逻辑运算符优先级 not and or;
练习
(1).查询英语分数在 70-75之间的同学。
select * from student where english BETWEEN 70 AND 75;
(2).查询数学分数为80,81,82的同学。
select * from student where math IN (89,90,91);
(3).查询所有姓李的学生成绩。
select * from student WHERE name like 'l%';
(4).查询数学分>80并且语文分>80的同学。
select * from student where math>80 AND chinese>80;
1.3.5 Select 语句(5)
使用order by 子句对结果集进行排序
语法:
Select column1,column2,… from table order by column asc|desc;
注:
Order by column : 对那一列进行排序
Asc: 升序(默认), Desc: 降序
练习
(1).对数学成绩排序后输出。
select name,math from student order by math;
(2).对总分排序后输出,然后再按从高到低的顺序输出
select name as 姓名,chinese+english+math 总分 from student order by 总分 desc;
(3).对姓l的学生成绩排序输出
select * from student where name like 'l%' order by chinese;
1.3.6 Select 语句(6)
SELECT col_name1,col_name2... FROM tb_name LIMIT {[offset,] row_count | row_count OFFSET offset}
练习:
(1)、显示student 表格中的前3行。
Select * from student limit 3;
注: 3 表示 显示前3行。
(2)、显示 student 表格中的第3~5行。
Select * from student limit 2,3;
注: 2表示偏移几行,3表示显示的总行数。