描述
Orders订单表
order_num | order_date |
a0001 | 2020-01-01 00:00:00 |
a0002 | 2020-01-02 00:00:00 |
a0003 | 2020-01-01 12:00:00 |
a0004 | 2020-02-01 00:00:00 |
a0005 | 2020-03-01 00:00:00 |
【问题】编写 SQL 语句,返回 2020 年 1 月的所有订单的订单号(order_num)和订单日期(order_date),并按订单日期升序排序
【示例结果】
返回订单号order_num,和order_date订单时间
order_num | order_date |
a0001 | 2020-01-01 00:00:00 |
a0003 | 2020-01-01 12:00:00 |
a0002 | 2020-01-02 00:00:00 |
【示例解析】
a0001、a0002、a0003 时间属于2020年1月
示例1
输入:
DROP TABLE IF EXISTS `Orders`;
CREATE TABLE IF NOT EXISTS `Orders`(
order_num VARCHAR(255) NOT NULL COMMENT '订单号',
order_date TIMESTAMP NOT NULL COMMENT '订单日期'
);
INSERT `Orders` VALUES ('a0001','2020-01-01 00:00:00'),
('a0002','2020-01-02 00:00:00'),
('a0003','2020-01-01 12:00:00'),
('a0004','2020-02-01 00:00:00'),
('a0005','2020-03-01 00:00:00');
复制
输出:
a0001|2020-01-01 00:00:00
a0003|2020-01-01 12:00:00
a0002|2020-01-02 00:00:00
答案
select order_num,order_date
from Orders
where date_fromat(order_date,'%Y-%m')='2020-01'
order by order_date asc
date_fromat()函数的详细用法:
https://www.w3school.com.cn/sql/func_date_format.asp
语法是date_fromat(date,format)
常用的有:
date_fromat(date,'%Y-%m-%d') --返回年月日
date_fromat(date,'%Y-%m') --返回年月
date_fromat(date,'%Y') --返回年
date_fromat(date,'%m') --返回月
date_fromat(date,'%d') --返回日
其他获取年月的函数
获取年year(字段名),返回整数0~9999
获取月month(字段名),返回整数1~12
获取日day(字段名),返回整数1~31
以该题为例,还可以写成:
select order_num,order_date
from Orders
where year(order_date)=2020
and month(order_date)=1
order by order_date asc
--year(),month(),day()返回结果可以是字符串也可以是整数
select order_num,order_date
from Orders
where year(order_date)='2020'
and month(order_date)='1'
order by order_date asc