Rising Temperature
Problem Description​
Given a Weather table, write a SQL query to find all dates' Id with higher temperatures compared to its previous dates (yesterday).
Assume the table Weather has the following structure:
+---------+------------+------------------+
| Id(INT) | RecordDate(DATE) | Temperature(INT) |
+---------+------------+------------------+
| 1 | 2015-01-01 | 10 |
| 2 | 2015-01-02 | 25 |
| 3 | 2015-01-03 | 20 |
| 4 | 2015-01-04 | 30 |
+---------+------------+------------------+
Example​
Example 1:
Assume that the `Weather` table has the following content:
+---------+------------+------------------+
| Id(INT) | RecordDate(DATE) | Temperature(INT) |
+---------+------------+------------------+
| 1 | 2015-01-01 | 10 |
| 2 | 2015-01-02 | 25 |
| 3 | 2015-01-03 | 20 |
| 4 | 2015-01-04 | 30 |
+---------+------------+------------------+
For the `Weather` table above, your query should return:
+----+
| Id |
+----+
| 2 |
| 4 |
+----+
Constraints​
- The
Weathertable will have at most 10^4 rows. - The
RecordDatevalues are unique.
Solution Approach​
Approach Overview​
To find all dates' Id with higher temperatures compared to its previous dates, we need to compare each row with the row corresponding to the previous date.
Detailed Steps​
-
Join the Table with Itself:
- Use a
JOINoperation to join theWeathertable with itself, where theRecordDateof the first instance is one day after theRecordDateof the second instance.
- Use a
-
Filter Rows with Higher Temperature:
- In the
WHEREclause, compare theTemperatureof the joined rows to ensure we only select rows where the current day's temperature is higher than the previous day's temperature.
- In the
Code Examples​
SQL Query​
SELECT w1.Id
FROM Weather w1
JOIN Weather w2
ON DATEDIFF(w1.RecordDate, w2.RecordDate) = 1
WHERE w1.Temperature > w2.Temperature;
Explanation​
JOIN Weather w2 ON DATEDIFF(w1.RecordDate, w2.RecordDate) = 1: This joins each row in theWeathertable with the row from the previous day.WHERE w1.Temperature > w2.Temperature: This filters the rows to only include those where the temperature is higher than the previous day's temperature.
Complexity​
-
Time Complexity:
O(n log n)if indexed properly. TheJOINoperation on dates can be efficient with indexing onRecordDate. -
Space Complexity:
O(n), as we might need additional space for the result set depending on the number of rows that satisfy the condition.