# Write your MySQL query statement below
1809. 没有广告的剧集
表:Playback
+-------------+------+ | Column Name | Type | +-------------+------+ | session_id | int | | customer_id | int | | start_time | int | | end_time | int | +-------------+------+ session_id 是该表中具有唯一值的列。 customer_id 是观看该剧集的客户的 id。 剧集播放时间包含start_time(开始时间) 及 end_time(结束时间) 可以保证的是,start_time(开始时间)<= end_time(结束时间),一个观众观看的两个剧集的时间不会出现重叠。
表:Ads
+-------------+------+ | Column Name | Type | +-------------+------+ | ad_id | int | | customer_id | int | | timestamp | int | +-------------+------+ ad_id 是该表中具有唯一值的列。 customer_id 为 观看广告的用户 id timestamp 表示广告出现的时间点
编写解决方案找出所有没有广告出现过的剧集。
返回结果 无顺序要求 。
返回结果格式如下例所示:
示例 1:
输入: Playback table: +------------+-------------+------------+----------+ | session_id | customer_id | start_time | end_time | +------------+-------------+------------+----------+ | 1 | 1 | 1 | 5 | | 2 | 1 | 15 | 23 | | 3 | 2 | 10 | 12 | | 4 | 2 | 17 | 28 | | 5 | 2 | 2 | 8 | +------------+-------------+------------+----------+ Ads table: +-------+-------------+-----------+ | ad_id | customer_id | timestamp | +-------+-------------+-----------+ | 1 | 1 | 5 | | 2 | 2 | 17 | | 3 | 2 | 20 | +-------+-------------+-----------+ 输出: +------------+ | session_id | +------------+ | 2 | | 3 | | 5 | +------------+ 解释: 广告1出现在了剧集1的时间段,被观众1看到了。 广告2出现在了剧集4的时间段,被观众2看到了。 广告3出现在了剧集4的时间段,被观众2看到了。 我们可以得出结论,剧集1 、4 内,起码有1处广告。 剧集2 、3 、5 没有广告。
原站题解
mysql 解法, 执行用时: 805 ms, 内存消耗: 0 B, 提交时间: 2023-10-15 17:01:49
select distinct session_id from Playback p left join Ads a on p.customer_id = a.customer_id and a.timestamp between p.start_time and p.end_time where ad_id is null;
mysql 解法, 执行用时: 873 ms, 内存消耗: 0 B, 提交时间: 2023-10-15 17:01:16
# Write your MySQL query statement below select session_id from Playback where session_id not in (select distinct session_id from Playback as p join Ads as a where p.customer_id = a.customer_id and timestamp>= start_time and timestamp <= end_time)