leetcode-1581- 进店却未进行过交易的顾客

链接:1581. 进店却未进行过交易的顾客 - 力扣(LeetCode)

前提条件:

表: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 期间进行的交易的信息。

有一些顾客可能光顾了购物中心但没有进行交易。请你编写一个解决方案,来查找这些顾客的 ID ,以及他们只光顾不交易的次数。

返回以 任何顺序 排序的结果表。

 create database lc default character set utf8mb4;
use lc;

create table Visits
(
    visit_id int,
    customer_id int
);
create table Transactions(
    transaction_id int,
    visit_id int,
    amount int
);
insert into
            Visits
values
           (1, 23),
           (2,9),
           (4,30),
           (5,54),
           (6,96),
           (7,54),
           (8,54);

insert into
            Transactions
values
        (2, 5, 310),
        (3, 5, 300),
        (9, 5, 200),
        (12, 1, 910),
        (13, 2, 970);

思路:

  1. Visits表=交易顾客+只交易不光顾顾客
  2. Transactions=交易顾客
  3. Visits左连接Transactions则只关顾不交易的顾客visit_id会是null
  4. 分组,过滤
  5. 结束

优化:

  1. 使用子查询代替连接查询

解释:

解释:
ID = 23 的顾客曾经逛过一次购物中心,并在 ID = 12 的访问期间进行了一笔交易。
ID = 9 的顾客曾经逛过一次购物中心,并在 ID = 13 的访问期间进行了一笔交易。
ID = 30 的顾客曾经去过购物中心,并且没有进行任何交易。
ID = 54 的顾客三度造访了购物中心。在 2 次访问中,他们没有进行任何交易,在 1 次访问中,他们进行了 3 次交易。
ID = 96 的顾客曾经去过购物中心,并且没有进行任何交易。
如我们所见,ID 为 30 和 96 的顾客一次没有进行任何交易就去了购物中心。顾客 54 也两次访问了购物中心并且没有进行任何交易。

实现:

 3.

select
        *
from
        visits v left join transactions t on v.visit_id = t.visit_id ;

 4.

select
        v.customer_id,count(*)
from
        visits v left join transactions t on v.visit_id = t.visit_id
where
        t.visit_id is null
group by
        v.customer_id;

优化后:

select 
        v.customer_id, COUNT(*) count_no_trans
from
        Visits v
where 
        v.visit_id NOT IN (select visit_id from Transactions)
group by 
        v.customer_id;
posted @ 2024-10-24 09:15  珂k  阅读(2)  评论(0编辑  收藏  举报