表: Weather
+---------------+---------+ | Column Name | Type | +---------------+---------+ | id | int | | recordDate | date | | temperature | int | +---------------+---------+ id 是这个表的主键 该表包含特定日期的温度信息
编写一个 SQL 查询,来查找与之前(昨天的)日期相比温度更高的所有日期的 id
。
返回结果 不要求顺序 。
查询结果格式如下例。
输入:
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。
比较的是今天与昨天的温度,如果今天高,该id就查找出来。
所以得到,自连接的条件:左表的日期比右表大1天。
找左表温度比右表温度高的记录。
筛选需要的条件:id。
步骤:
1.自连接。条件为:左表日期比右表大1天。
2.筛选条件:左表温度高于右表温度。
3.筛选查找条件:id。
图解:
1.自连接,连接该表。得到如下的表,但不是我们需要的。
连接条件为:左表日期比右表日期大一天。得到如下的表:
SQL语言:
select *
from weather a join weather b on
datediff(a.recordDate,b.recordDate)=1
2个关于计算时间差的函数:
datediff(date1,date2),返回date1-date2的天数。
timestampdiff(时间类型,时间1,时间2),返回时间1-时间2的时间差,时间1>时间2,结果为负数。
时间类型:day,hour,second
2.左表温度高于右表温度,找到下图方框所示2条记录
SQL语言:
select *
from weather a join weather b on
datediff(a.recordDate,b.recordDate)=1
where a.temperature>b.temperature
3.筛选需要的条件:id
select a.id
from weather a join weather b on
datediff(a.recordDate,b.recordDate)=1
where a.temperature>b.temperature