Mysql 查询多列 select 语句输出

Mysql query multiple select statements output on multiple columns

Table

+------+-------+------------------+
|CLIENT| VALUE |    DATETIME      |
+------+-------+------------------+
|  A   |  1    | 2018-11-10 09:00 |
|  B   |  1    | 2018-11-10 09:00 |
|  C   |  1    | 2018-11-10 09:00 |
|  D   |  2    | 2018-11-10 08:00 |
|  E   |  2    | 2018-11-10 08:00 |
|  F   |  3    | 2018-11-10 08:00 |
|  A   |  1    | 2018-11-10 07:00 |
|  B   |  2    | 2018-11-10 07:00 |
|  C   |  2    | 2018-11-10 07:00 |
|  D   |  3    | 2018-11-10 06:00 |
|  E   |  1    | 2018-11-10 06:00 |
|  F   |  2    | 2018-11-10 06:00 |
|  A   |  1    | 2018-11-08 08:00 |
|  B   |  2    | 2018-11-08 08:00 |
|  C   |  2    | 2018-11-08 08:00 |
|  D   |  1    | 2018-11-08 08:00 |
|  E   |  1    | 2018-11-08 07:00 |
|  F   |  2    | 2018-11-08 07:00 |

我是 mysql 的新手,我遇到了这个查询的问题。

我只有一个 table 名为 "table" 三列。

这个table记录了每天不同时间来自一组特定客户A,B,C,D,E,F的很多数据

对于一个查询,我需要创建新的 table,每个客户一行,并包含以下 4 列:

  1. 第一列应包含每个客户 table 中记录的最新值
  2. 第二列应包含过去 24 小时内每个客户的值等于 1 的时间百分比
  3. 第三列应包含过去 7 天内每个客户的值等于 1 的时间百分比
  4. 与上一栏相同,但在过去 30 天内

希望有人能帮助我。

我想收到什么:

+------+-------------+-----------+--------------+--------------+
|CLIENT| NEWEST VALUE| LAST 24 H | LAST 7 DAYS  | LAST 30 DAYS |
+------+-------------+-----------+--------------+--------------+
|  A   |       1     |    100%   |      100%    |     ...      | 
|  B   |       1     |     50%   |       66%    |     ...      |
|  C   |       1     |     50%   |       33%    |     ...      |
|  D   |       2     |      0%   |       33%    |     ...      |
|  E   |       2     |     50%   |       66%    |     ...      |
|  F   |       3     |      0%   |        0%    |     ...      |

这段代码可以很好地创建 "NEWST VALUE" 列

SELECT
    client,
    value,
    max(datetime)
FROM
    table
GROUP BY
    client;

而这个创建了 "LAST 24 H" 列

SELECT
    client,
    count(if(value = 1,1, null))/count(value),
FROM
    table
WHERE
    date(datetime) < CURRENT_DATE() - interval 1 day
GROUP BY
    repository_name;

但我无法将所有输出放在一个新的 table

您可以使用条件聚合。假设 pre-8.0 MySQL,只有最近的值真的很棘手。这是一种方法:

select t.client,
       max(case when t.datetime = c.maxdt then t.value end) as most_recent_value,
       avg(case when t.datetime >= now() - interval 1 day
                then (t.value = 1)
           end) as last_day_percentage,
       avg(case when t.datetime >= now() - interval 7 day
                then (t.value = 1)
           end) as last_7day_percentage,
       avg(case when t.datetime >= now() - interval 30 day
                then (value = 1)
           end) as last_30day_percentage                
from t join
     (select t.client, max(t.datetime) as maxdt
      from t
      group by t.client
     ) c
     on c.client = t.client
group by t.client;

请注意,此逻辑使用 MySQL 扩展,其中布尔值被视为数字上下文中的数字,1 表示真,0 表示假。

相关时间段的平均值为“0”或“1”,任何其他记录的值为 NULLavg() 函数忽略 NULL 值。