1. 简单查询
select 字段名称 from 表名称;
select 和 from 是查询使用的关键字
查询所有字段
select * from student
查询特定字段
查询特定的字段使用逗号分割
select name,sex,grade from student
查询时候起别名显示
使用as来做为起别名
SELECT name as "姓名",sex as "性别",grade as "年级" FROM student
计算字段信息
比方说我们想让学分项都乘10,可以直接使用字段名*10的方法
select name,sex,grade,score,score*10 from student
使用*10方法后的字段名使用不方便可以起别名
select name,sex,grade,score,score*10 as scoreMax from student
2.条件查询
通过某一个条件进行查询
select 字段1,字段2,字段3… from 表名 where 条件;
等于条件 =
查询性别字段为男的数据(为1的数据)
select * from student where sex=1
不等于 <> 或者 !=
查询性别字段不等于1的数据
select * from student sex != 1
或者 select * from student sex<> 1
大于条件 >
查询学分大于80分的数据
select * from student where score > 80
小于条件 <
查询学分小于80的数据
select * from student where score < 80
大于等于条件 >=
查询学分大于等于32的数据
select * from student where score >= 32
小于等于条件 <=
查询学分小于等于32的数据
select * from student where score <= 32
在什么到什么之间 between … and …
select * from student where score between 60 and 90
不等于null is not null
查询职位不为空的数据
select * from student where position is not null
等于null is null
查询职位是空的数据
select * from student where position is null
AND 并且关系
查询一年级的学生并且是女生
select * from student where grade="一年级" and sex = 0
OR 或者关系
查询一年级学生或者二年级学生
select * from student where grade="一年级" or grade="二年级"
AND 和 OR 同时使用
查询性别为男的一年级或者二年级学生
select * from student where sex = 1 and (grade= "一年级" or grade = "二年级")
注:and的优先级要比or高,所以写这样的代码需要加括号进行提升优先级功能
IN 包含
查询年级包含一年级和三年级
select * from student where grade in("一年级","三年级")
NOT IN 不包含
查询年级不包括一年级和三年级
select * from student where grade not in("一年级","三年级")
LIKE 模糊查询
模糊查询分为两种匹配
1. %百分号 匹配任意多个字符
2. _下划线 匹配任意一个字符
查询姓名中有三这个字的学生
select * from student where name like "%三%"
查询姓名中三有三字前面和后面有一个字符的学生
select * from student where name like "_三_"
模糊查询可以只模糊前面 或者 后面字符
这里模糊查询中 %百分号和_下划线符号 区别就是百分号可以匹配任意多个字符,下划线只能匹配一个字符
查询学生姓名中三字在最后的学生
select * from student where name like "%三"
select * from student where name like "_三"
排序
按照学分排序(正序)
select * from student order by score asc
按照学分排序(倒序)
select * from student order by score desc