目录
题目
表: Weather
+---------------+---------+
| Column Name | Type |
+---------------+---------+
| id | int |
| recordDate | date |
| temperature | int |
+---------------+---------+
id 是该表具有唯一值的列。
没有具有相同 recordDate 的不同行。
该表包含特定日期的温度信息
编写解决方案,找出与之前(昨天的)日期相比温度更高的所有日期的 id
。
返回结果无顺序要求 。
示例 1:
输入:
Weather 表:
+----+------------+-------------+
| id | recordDate | Temperature |
+----+------------+-------------+
| 1 | 2015-01-01 | 10 |
| 2 | 2015-01-02 | 25 |
| 3 | 2015-01-03 | 20 |
| 4 | 2015-01-04 | 30 |
+----+------------+-------------+
输出:
+----+
| id |
+----+
| 2 |
| 4 |
+----+
解释:
2015-01-02 的温度比前一天高(10 -> 25)
2015-01-04 的温度比前一天高(20 -> 30)
分析
找出与之前(昨天的)日期相比温度更高的所有日期的 id
比较,使用交叉连接corss join
简洁写法 from Weather w1 , Weather w2
目标id, select w1.id
日期比较,前一日,datediff(w1.recordDate,w2.recordDate) = 1
温度比较,w1.temperature > w2.temperature
同时满足,and
代码
select w1.id from Weather w1 , Weather w2
where datediff(w1.recordDate,w2.recordDate) = 1 and w1.temperature > w2.temperature
思考代码
select a.ID, a.date from weather as a cross join weather as b on timestampdiff(day, a.date, b.date) = -1 where a.temp > b.temp;