题目:报告 2019年春季 才售出的产品。即 仅 在 2019-01-01 (含)至 2019-03-31 (含)之间出售的商品。
第二步:找出2019-01-01 (含)至 2019-03-31 (含)之间出售的商品
题目:报告 2019年春季
才售出的产品。即 仅 在 2019-01-01
(含)至 2019-03-31
(含)之间出售的商品。
准备数据
## 创建库
create database db;
use database;
## 创建产品表(product)
Create table If Not Exists Product (product_id int, product_name varchar(10), unit_price int);
## 创建销售表(sales)
Create table If Not Exists Sales (seller_id int, product_id int, buyer_id int, sale_date date, quantity int, price int);
## 向产品表插入数据
Truncate table Product;
insert into Product (product_id, product_name, unit_price) values ('1', 'S8', '1000');
insert into Product (product_id, product_name, unit_price) values ('2', 'G4', '800');
insert into Product (product_id, product_name, unit_price) values ('3', 'iPhone', '1400');
## 向销售表插入数据
Truncate table Sales;
insert into Sales (seller_id, product_id, buyer_id, sale_date, quantity, price) values ('1', '1', '1', '2019-01-21', '2', '2000');
insert into Sales (seller_id, product_id, buyer_id, sale_date, quantity, price) values ('1', '2', '2', '2019-02-17', '1', '800');
insert into Sales (seller_id, product_id, buyer_id, sale_date, quantity, price) values ('2', '2', '3', '2019-06-02', '1', '800');
insert into Sales (seller_id, product_id, buyer_id, sale_date, quantity, price) values ('3', '3', '4', '2019-05-13', '2', '2800');
输入:
产品表
销售表
分析数据
- product_id = 1 的产品仅在2019春季销售
- product_id = 2 的产品在2019春季销售,也在2019夏季销售
- product_id = 3的产品仅在2019夏季销售
要求仅 在 2019-01-01
(含)至 2019-03-31
(含)之间出售的商品。因此我们只返回 product_id = 1的产品。
方法一:group by + having
第一步:先找到要求的列
## 1.找到要求的列
select s.product_id , p.product_name
from Sales as s
left join Product as p
on s.product_id = p.product_id
group by s.product_id, p.product_name; ## 根据product_id、product_name进行了分组
第二步:找出2019-01-01
(含)至 2019-03-31
(含)之间出售的商品
## 2.找到在 2019-01-01 (含)至 2019-03-31 (含)之间出售的商品。
select s.product_id , p.product_name
from Sales as s
left join Product as p
on s.product_id = p.product_id
group by s.product_id, p.product_name
having min(s.sale_date) >= '2019-01-01' and max(s.sale_date) <= '2019-03-31';
说明:因为product_id = 2和product_id = 3不符合,所以要排除。
创造一个条件排除,用到了min()和max(),只要不符合其中一项就可以排除。
因为product_id = 2的max(sale_date)>2019-03-31,排除;
product_id = 3只有一个时间min(sale_date)> 2019-03-31
且max(sale_date)>2019-03-31,排除。
注意:为什么不使用where条件,聚合函数不能直接在where子句中使用。并且在select中查看聚合列,必须要group by 聚合列(或者主键)。
方法二:嵌套
第一步 :找出销售产品的id
第二步:找出不在这个时间之间的产品id
第三步:结合
## 结合,选择不是2和3,但是在(1,2,3)里边,就只有id为1
select product_id,product_name from product
where product_id not in
(select product_id from sales where sale_date not between '2019-01-01' and '2019-03-31')
and product_id in (select product_id from sales);