LeetCode601-MySQL-体育馆的人流量

X 市建了一个新的体育馆,每日人流量信息被记录在这三列信息中:序号 (id)、日期 (date)、 人流量 (people)。

请编写一个查询语句,找出高峰期时段,要求连续三天及以上,并且每天人流量均不少于100。

例如,表 stadium

+------+------------+-----------+
| id   | date       | people    |
+------+------------+-----------+
| 1    | 2017-01-01 | 10        |
| 2    | 2017-01-02 | 109       |
| 3    | 2017-01-03 | 150       |
| 4    | 2017-01-04 | 99        |
| 5    | 2017-01-05 | 145       |
| 6    | 2017-01-06 | 1455      |
| 7    | 2017-01-07 | 199       |
| 8    | 2017-01-08 | 188       |
+------+------------+-----------+

对于上面的示例数据,输出为:

+------+------------+-----------+
| id   | date       | people    |
+------+------------+-----------+
| 5    | 2017-01-05 | 145       |
| 6    | 2017-01-06 | 1455      |
| 7    | 2017-01-07 | 199       |
| 8    | 2017-01-08 | 188       |
+------+------------+-----------+

1、连续三天及以上人流量大于100——3个表

2、同时考虑到连续三天以上的情况:日期顺序可能为:

123

213

312

321

4种

什么意思呢?

如例子中,对于id=5、6、7、8的日期而言,假设id为6的数据被定位在表s1中;

则对于符合条件的5、6、7而言,其的位置是2;

对于符合条件的6、7、8而言,其的位置是1;

如果id=4也符合人数大于100,则对于符合条件的4、5、6而言,其的位置是3.

也就是说,上述4种(123、213、312、321)将所有的情况所包含,其直观的目的是为了把符合条件、连续大于3天的数据也放进来。

So show you my code:

# Write your MySQL query statement below
SELECT DISTINCT s1.*
FROM stadium s1, stadium s2, stadium s3
WHERE s1.people >= 100 AND s2.people >= 100 AND s3.people>=100 AND
        (
            (s2.id-1=s1.id AND s3.id-1=s2.id AND s3.id-2=s1.id) OR
            (s3.id-1=s1.id AND s1.id-1=s2.id AND s3.id-2=s2.id) OR
            (s2.id-1=s1.id AND s1.id-1=s3.id AND s2.id-2=s3.id) OR
            (S1.id-1=s2.id AND s2.id-1=s3.id AND s1.id-2=s3.id)
        )
ORDER BY id 

你可能感兴趣的:(LeetCode.SQL)