大家好,我是空空star,本篇带大家了解一道简单的力扣sql练习题。
前言
力扣-进店却未进行过交易的顾客 |
---|
一、题目:1581. 进店却未进行过交易的顾客
表:Visits
+-------------+---------+
| Column Name | Type |
+-------------+---------+
| visit_id | int |
| customer_id | int |
+-------------+---------+
visit_id 是该表的主键。
该表包含有关光临过购物中心的顾客的信息。
表:Transactions
+----------------+---------+
| Column Name | Type |
+----------------+---------+
| transaction_id | int |
| visit_id | int |
| amount | int |
+----------------+---------+
transaction_id 是此表的主键。
此表包含 visit_id 期间进行的交易的信息。
有一些顾客可能光顾了购物中心但没有进行交易。请你编写一个 SQL 查询,来查找这些顾客的 ID ,以及他们只光顾不交易的次数。
返回以 任何顺序 排序的结果表。
查询结果格式如下例所示。
输入:
Visits
+----------+-------------+
| visit_id | customer_id |
+----------+-------------+
| 1 | 23 |
| 2 | 9 |
| 4 | 30 |
| 5 | 54 |
| 6 | 96 |
| 7 | 54 |
| 8 | 54 |
+----------+-------------+
Transactions
+----------------+----------+--------+
| transaction_id | visit_id | amount |
+----------------+----------+--------+
| 2 | 5 | 310 |
| 3 | 5 | 300 |
| 9 | 5 | 200 |
| 12 | 1 | 910 |
| 13 | 2 | 970 |
+----------------+----------+--------+
输出:
+-------------+----------------+
| customer_id | count_no_trans |
+-------------+----------------+
| 54 | 2 |
| 30 | 1 |
| 96 | 1 |
+-------------+----------------+
解释:
ID = 23 的顾客曾经逛过一次购物中心,并在 ID = 12 的访问期间进行了一笔交易。
ID = 9 的顾客曾经逛过一次购物中心,并在 ID = 13 的访问期间进行了一笔交易。
ID = 30 的顾客曾经去过购物中心,并且没有进行任何交易。
ID = 54 的顾客三度造访了购物中心。在 2 次访问中,他们没有进行任何交易,在 1 次访问中,他们进行了 3 次交易。
ID = 96 的顾客曾经去过购物中心,并且没有进行任何交易。
如我们所见,ID 为 30 和 96 的顾客一次没有进行任何交易就去了购物中心。顾客 54 也两次访问了购物中心并且没有进行任何交易。文章来源:https://www.toymoban.com/news/detail-409813.html
二、解题
1.正确示范①
提交SQL
select customer_id,count(1) count_no_trans
from Visits u1
left join Transactions u2
on u1.visit_id=u2.visit_id
where u2.visit_id is null
group by customer_id;
运行结果
2.正确示范②
提交SQL
select customer_id,count(*) count_no_trans
from Visits u1
left join Transactions u2
on u1.visit_id=u2.visit_id
where u2.visit_id is null
group by customer_id;
运行结果
3.正确示范③
提交SQL
select customer_id,count(u1.visit_id) count_no_trans
from Visits u1
left join Transactions u2
on u1.visit_id=u2.visit_id
where u2.visit_id is null
group by customer_id;
运行结果
4.正确示范④
提交SQL
select customer_id,sum(1) count_no_trans
from Visits u1
left join Transactions u2
on u1.visit_id=u2.visit_id
where u2.visit_id is null
group by customer_id;
运行结果
5.正确示范⑤
提交SQL
select customer_id,count(1) count_no_trans
from Visits
where visit_id not in(
select visit_id from Transactions
)
group by customer_id;
运行结果
总结
正确示范①思路:
left join
+group by
+count(1)
正确示范②思路:left join
+group by
+count(*)
正确示范③思路:left join
+group by
+count(u1.visit_id)
正确示范④思路:left join
+group by
+sum(1)
正确示范⑤思路:not in
+group by
+count(1)
其他:
也可以用not exists
+group by
+count(1)
文章来源地址https://www.toymoban.com/news/detail-409813.html
到了这里,关于力扣-进店却未进行过交易的顾客的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!