个人博客:haichenyi.com。感谢关注
DQL
关键字:select、from、where、group by、having、roder by
基本查询
查询所有:select * from 表名;
select * from t_stu;
查询部分列select 列名,...列名 from 表名;
select stu_num,stu_name from t_stu;
查询去除完全重复的列select distinct * from 表名;
select distinct * from t_stu;
select distinct stu_age from t_stu;
也可以查询同时做加、减、乘、除运算操作:
//把查询出来的年龄都乘以2倍。
select stu_age*2 from t_stu;
//如果查出来的年龄为null,就设置为29
select ifnull(stu_age,29) from t_stu;
做连接字符串操作:CONCAT
//把名字和年龄拼接起来
select CONCAT(stu_name,stu_age) from t_stu;
select CONCAT('我的名字是:',stu_name,',我今年',stu_age,'岁') from t_stu;
给列起别名:as
select stu_age as 年龄 from t_stu;
select stu_age as 年龄,stu_name as 姓名 from t_stu;
select CONCAT(stu_name,stu_age) as 描述 from t_stu;
条件查询
跟前面一篇讲的更新,删除里面设置条件的方法是一样的。where
后面跟条件
//查询年龄大于等于20的学生
select * from t_stu where stu_age>=20;
//查询年龄在15到25岁之间的学生
select * from t_stu where stu_age between 15 and 25;
//查询名字叫zhangsan,lisi,wangwu.zhaoliu的学生
select * from t_stu where stu_name in('zhangsan','lisi','wangwu','zhangliu');
模糊查询like
//一个字加一个下划线,两个字就是两个下划线
//查询名字中张开头,并且是两个字的学生.
select * from t_stu where stu_name like '张_';
//查询名字是三个字的学生
select * from t_stu where stu_name like '___';
//百分号%匹配0~N个字符
//查询名字中以雷结尾的学生
select * from t_stu where stu_name like '%雷';
//查询名字中包含晓的学生
select * from t_stu where stu_name like '%晓%';
排序 order by
// desc:降序,asc:升序
//按学生年龄升序排列
select * from t_stu ORDER BY stu_age ASC;
//按学生年龄降序排列
select * from t_stu ORDER BY stu_age DESC;
//年龄相同的时候,按名字降序排列。可以无限添加排序条件
select * from t_stu ORDER BY stu_age ASC,stu_name DESC;
聚合函数(纵向查询)
计数count
//只要不为null,就+1
select count(*) from t_stu;
select count(stu_age) from t_stu;
计算和sum
//计算学生年龄加起来的总数
select sum(stu_age) from t_stu;
最大值max,最小值min
//查询年龄中最大的
select max(stu_age) from t_stu;
//查询年龄中最小的
select min(stu_age) from t_stu;
平均值avg
select avg(stu_age) from t_stu;
分组查询group by
写法:select 条件,聚合函数,...,聚合函数 from 表名 group by 条件;
分组查询必须都是聚合函数,并且,上面两个位置的条件必须相同
//按老师分组查询,每组老师名下的学生个数
select stu_teacher,count(*) from t_stu group by stu_teacher;
//分组前条件,不满足条件的没有参加分组
//按老师分组查询,查询每组老师名下年龄大于20岁的学生的个数
select stu_teacher,count(*) from t_stu where stu_age>20 group by stu_teacher;
//having 分组后条件
//按老师分组查询,查询老师名下年龄大于20岁的学生,并且剔除学生个数小于5个的老师
select stu_teacher,count(*) from t_stu where stu_age>20 group by stu_teacher having count(*)<5;
limit(MySQL特有的)
//从下标0开始,往后查询5条数据
select * from t_stu limit 0,5;
//分页查询,比方说如果你要查第N页的数据,每页数据M条
//(当前页-1)*每页的数据数
select * from t_stu limit (N-1)*M,M;