- 学习:知识的初次邂逅
- 复习:知识的温故知新
- 练习:知识的实践应用
目录
一,原题力扣链接
二,题干
表:
Transactions
+----------------+----------+ | Column Name | Type | +----------------+----------+ | transaction_id | int | | day | datetime | | amount | int | +----------------+----------+ transaction_id 是该表具有唯一值的列。 每行包括了该次交易的信息。编写一个解决方案,报告每天交易金额
amount
最大 的交易 ID 。如果一天中有多个这样的交易,返回这些交易的 ID 。返回结果根据
transaction_id
升序排列。返回格式如下示例所示:
示例 1:
输入: Transactions table: +----------------+--------------------+--------+ | transaction_id | day | amount | +----------------+--------------------+--------+ | 8 | 2021-4-3 15:57:28 | 57 | | 9 | 2021-4-28 08:47:25 | 21 | | 1 | 2021-4-29 13:28:30 | 58 | | 5 | 2021-4-28 16:39:59 | 40 | | 6 | 2021-4-29 23:39:28 | 58 | +----------------+--------------------+--------+ 输出: +----------------+ | transaction_id | +----------------+ | 1 | | 5 | | 6 | | 8 | +----------------+ 解释: "2021-4-3" --> 有一个 id 是 8 的交易,因此,把它加入结果表。 "2021-4-28" --> 有两个交易,id 是 5 和 9 ,交易 5 的金额是 40 ,而交易 9 的数量是 21 。只需要将交易 5 加入结果表,因为它是当天金额最大的交易。 "2021-4-29" --> 有两个交易,id 是 1 和 6 ,这两个交易的金额都是 58 ,因此需要把它们都写入结果表。 最后,把交易 id 按照升序排列。进阶:你可以不使用
MAX()
函数解决这道题目吗?回答: 本来就没用max() 函数解决这个问题 用开窗排序
三,建表语句
Create table If Not Exists Transactions (transaction_id int, day date, amount int);
Truncate table Transactions;
insert into Transactions (transaction_id, day, amount) values ('8', '2021-4-3 15:57:28', '57');
insert into Transactions (transaction_id, day, amount) values ('9', '2021-4-28 08:47:25', '21');
insert into Transactions (transaction_id, day, amount) values ('1', '2021-4-29 13:28:30', '58');
insert into Transactions (transaction_id, day, amount) values ('5', '2021-4-28 16:39:59', '40');
insert into Transactions (transaction_id, day, amount) values ('6', '2021-4-29 23:39:28', '58');
select * from Transactions;
四,分析
题解:
表:交易类型表
字段:交易id,交易日期,交易金额
求:每日最大的交易 允许并列 按照要求排序
第一步:以年月日分组 以金额分组 求最大值 允许并列
select transaction_id, day, amount,
rank() over (partition by day order by day,amount desc ) rn
from transactions
第二步:取第一 然后映射指定的列 并且做一个排序
五,SQL解答
with t1 as (
select transaction_id, day, amount,
rank() over (partition by day order by day,amount desc ) rn
from transactions
)
select transaction_id from t1 where rn =1 order by transaction_id;
六,验证
七,知识点总结
- 时间日期的运用
- 经典面试题 分组求top1
- 分组排序取第一 允许并列 用rank函数
- 学习:知识的初次邂逅
- 复习:知识的温故知新
- 练习:知识的实践应用