MySQL教程:SQL查询
SQL语言之查询(一)
前言
SQL的查询语句是开发中使用最多也是最重要的语句,我们现在的网络生活无一不是在进行着查询操作,如:打开微信看朋友圈、上京东淘宝逛逛商品、在百度上查找某些东西、在手机上刷头条等等。查询语句比较灵活,有很多种用法,掌握它们对我们的程序开发有重要的作用。
基本的查询语句
查询语句的基本语法是:
select 字段列表 from 表名;
其中字段列表可以包含多个字段,字段直接由逗号分隔,如:
select 字段1,字段2,字段3 from 表名;
也可以使用*,代表所有的字段,如:
select * from 表名;
代码示例:
-- 查询所有字段
select * from tb_student;
-- 查询部分字段
select stu_id,stu_name,stu_age from tb_student;
查询使用显示别名
在查询结果中,列名可以被替换成别名
语法:
select 字段1 别名,字段2 别名 ... from 表名;
代码示例:
-- 查询时使用别名
select stu_id 编号,stu_name 姓名,stu_age 年龄 from tb_student;
查询关键字之 WHERE
大多数情况下,我们在进行查询时,需要按某些条件对结果进行筛选。
带条件的查询:
select * from 表名 where 条件;
代码示例:
-- 查询编号为2的学生
select * from tb_student where stu_id = 2;
-- 查询年龄大于20的学生
select * from tb_student where stu_age >= 20;
查询关键字之 IN
表示查询字段在多个值中任意一个
字段名 in (值1,值2....)
代码示例:
-- 查询籍贯是武汉或北京或成都的学生
select * from tb_student where stu_address in ('北京','武汉','成都');
查询关键字之 BETWEEN
表示字段的值在一个范围内
字段名 between 值1 and 值2
代码示例:
-- 查询年龄在20到25之间的学生
select * from tb_student where stu_age between 20 and 25;
查询关键字之 LIKE 模糊查询
有时候我们需要查询不那么精确的条件,如:姓张的学生,名字带小的学生等
字段名 like '带通配符的字符串';
通配符包括:
%代表任意长度的字符
_代表任意一个字符
代码示例:
-- 查询姓张的学生
select * from tb_student where stu_name like '张%';
-- 查询手机尾号为3333的学生
select * from tb_student where stu_telephone like '%3333';
-- 查询姓名中带小的学生
select * from tb_student where stu_name like '%小%';
查询关键字之 IS NULL 条件查询
查询字段为空的记录,如果查询不为空的字段,可以加上not
字段 is [not] null
-- 查询没有填写手机号的学生
select * from tb_student where stu_telephone is null;
查询关键字之 AND 多条件查询
使用and连接两个条件,两个条件必须同时成立,整个条件才成立
条件1 and 条件2
代码示例:
-- 查询年龄在25以上的女同学
select * from tb_student where stu_age > 25 and stu_gender = '女';
查询关键字之 OR 多条件查询
使用or连接两个条件,条件只需要一个成立,整个条件就成立
条件1 or 条件2
代码示例:
-- 查询籍贯是北京或武汉的男学生
select * from tb_student where stu_address = '北京' or stu_address = '武汉';
查询关键字之 DISTINCT
查询结果中会有很多字段的值是重复的,distinct可以去掉重复的值。
select distinct 字段 from 表 ...;
代码示例:
-- 查询所有学生的籍贯
select distinct stu_address from tb_student;
查询关键字之 ORDER BY 排序
查询时我们可以对字段进行排序,如商品按价格、销量等排序
排序的语法是:
select * from 表名 order by 字段 [asc|desc];
order by 后面是排序的字段,asc代表升序,是默认值可以省略,desc是降序。
代码示例:
-- 学生按年龄升序排序
select * from tb_student order by stu_age;
-- 学生按年龄降序排序
select * from tb_student order by stu_age desc;
查询关键字之 LIMIT 分页
有时候我们表里面的数据比较多,查询时可以分成多页,这样查询速度会提高,用户也比较容易操作。
语法:
select * from 表名 limit 开始位置,长度;
说明:开始位置是从0开始的,第一行的位置就是0,开始位置可以省略,默认是从第一行开始。长度是这一页记录的行数。
代码示例:
-- 查询学生,每5行为一页,分多页查询
select * from tb_student limit 0,5;
select * from tb_student limit 5,5;
select * from tb_student limit 10,5;
-- 查询年龄最小的学生
select * from tb_student order by stu_age limit 1;
总结
本章我们学习了基本查询语句,包含带where条件的查询,in关键字查询多个值、between关键字查询范围、使用and和or关键字进行条件的连接、以及order by排序、limit分页等。后面我们将学习内连接、外连接、子查询等高级查询方法。