文章目录
1. 聚合函数的介绍
聚合函数又叫组函数,通常是对表中的数据进行统计和计算,一般结合分组(group by)来使用,用于统计和计算分组数据。
常用的聚合函数:
指定列的总行数
count(col)
: 表示求指定列的总行数
指定列的最大值
max(col)
: 表示求指定列的最大值
指定列的最小值
min(col)
: 表示求指定列的最小值
指定列的和
sum(col)
: 表示求指定列的和
指定列的平均值
avg(col)
: 表示求指定列的平均值
2. 求总行数
-- 返回非NULL数据的总行数.
select count(height) from students;
-- 返回总行数,包含null值记录;
select count(*) from students;
3.求最大值
-- 查询女生的年龄最大值
select max(age) from students where gender = '女';
4.求最小值
-- 查询未删除的学生最小年龄
select min(age) from students where is_delete = 0;
5.求和
-- 查询男生的总身高
select sum(height) from students where gender = '男';
-- 男生平均身高
select sum(height) / count(height) from students where gender = '男';
或者
select sum(height) / count(*) from students where gender = '男' and height is not null;
这里我们是删除了身高为空的同学!!!
其实统计的方法来说,是不能删除的!
要写成:
select sum(height) / count(*) from students where gender = '男';
6.求平均值
注意处理null值
– <mark>求男生的平均身高, 聚合函数不统计null值,平均身高有误</mark>
select avg(height) from students where gender = 1;
– 求男生的平均身高, 包含身高是null的
select avg(ifnull(height,0)) from students where gender = '女';
说明
<mark>ifnull函数: 表示判断指定字段的值是否为null,如果为空使用自己提供的值。</mark>
7. 聚合函数的特点
聚合函数默认忽略字段为null的记录 要想列值为null的记录也参与计算,必须使用ifnull函数对null值做替换。
如:
avg(ifnull(height,180))
就是说求height的平均值,如果height的值为空,则用180替代
8. 小结
count(col)
: 表示求指定列的总行数
max(col)
: 表示求指定列的最大值
min(col)
: 表示求指定列的最小值
sum(col)
: 表示求指定列的和
avg(col)
: 表示求指定列的平均值