在 MySQL 中按月分组
Preet Sanghavi
2023年1月3日
2022年5月13日
在本教程中,我们将学习如何在 MySQL 数据库中按月对值进行分组。
企业和组织必须根据几个月内的购买或使用趋势找到用户或客户数据。如果某个特定的企业实现了提升业务的最佳月份,它可能会推断出有洞察力的数据,而 MySQL 可以帮助我们完成这项任务。
MySQL 为我们提供了 date_format()
函数,其中包含两个主要值。首先是考虑的列名,其次是分组的时间段。
设置函数后,我们可以使用 MySQL 中的 GROUP BY
子句对不同的时间段进行分组。该操作的语法如下。
select date_format(date_column, '%M'),sum(any_other_column)
from name_of_the_table
group by date_format(date_column, '%M');
此语法假设我们希望按月对 any_other_column
的值进行分组。因此,它提供了我们表中每个月特定列的总计。
让我们看看这个方法的实际效果。
但在开始之前,让我们通过创建一个包含几行的表 student_semester_date
来创建一个虚拟数据集。
-- create the table student_semester_date
CREATE TABLE student_semester_date(
stu_id int,
stu_date date,
stu_marks int
);
然后让我们使用下面的查询在该表中插入几行。
-- insert rows in the table student_semester_date
insert into student_semester_date(stu_id,stu_date,stu_marks)
values(1,'2020-10-01',150),
(2,'2020-10-10',100),
(3,'2020-11-05',250),
(4,'2020-11-15',150),
(5,'2020-12-01',350),
(6,'2020-12-21',250);
上述两个查询创建了一个表,其中包含学生的名字和姓氏。
SELECT * FROM student_semester_date;
输出:
stu_id stu_date stu_marks
1 2020-10-01 150
2 2020-10-10 100
3 2020-11-05 250
4 2020-11-15 150
5 2020-12-01 350
6 2020-12-21 250
让我们尝试根据 stu_date
列中的月份对不同学生的分数进行分组。它基本上需要在我们的 student_semester_date
表中计算每个月的总分。
在 MySQL 中按月分组
正如我们已经看到上面的语法,我们可以在以下查询的帮助下在我们的表 student_semester_date
中按月份操作分组标记。
select date_format(stu_date, '%M') as Month,sum(stu_marks) as total_marks
from student_semester_date
group by date_format(stu_date, '%M');
上述代码在 student_semester_date
表中返回每个月的总分。
这意味着对于 11 月,我们将有 400 个,因为我们的表中有两个条目为 11 月,标记为 250 和 150 (250 + 150 = 400)。上述查询的输出如下。
Month total_marks
October 250
November 400
December 600
注意
我们在上述代码中使用别名
Month
和 total_marks
以提高 MySQL 中 AS
关键字的可读性。因此,借助 date format()
函数和 group by
语句,我们可以在 MySQL 中的特定表中有效地按月对值进行分组。
Author: Preet Sanghavi