6

我已经四处寻找这个,但所有类似的问题和答案都不同,无法正常工作。

我有一个包含以下字段的表:人,事,purdate。当一个人购买每件新东西时,就会输入一条新记录。

我想计算一个人购买任何“东西”的连续月份(thing01 或 thing02,不重要)。如果连续 purdays 有中断,那么计数应该重新开始。

附上数据后,我想结束:

| Person     | Consec Days |
| person_01  | 3           |
| person_02  | 3           |
| person_02  | 2           |

我知道我可以得到一个不同的人员列表,extract(year_month from purdate)——我已经在这个SQLFIDDLE中完成了——但我不知道如何只计算连续记录并在休息时重新开始(就像我的数据中 person_02 在 3 月和 5 月之间中断一样。)

这是数据:

create table records (
  person varchar(32) not null,
  thing varchar(32) not null,
  purdate datetime not null
);

insert into records (person, thing, purdate) values
  ('person_01', 'thing01', '2014-01-02'),
  ('person_01', 'thing02', '2014-01-02'),
  ('person_01', 'thing02', '2014-02-27'),
  ('person_01', 'thing02', '2014-03-27'),
  ('person_02', 'thing02', '2014-01-28'),
  ('person_02', 'thing01', '2014-02-28'),
  ('person_02', 'thing02', '2014-03-28'),
  ('person_02', 'thing02', '2014-05-29'),
  ('person_02', 'thing02', '2014-06-29')
;
4

2 回答 2

5

您可以在 MySQL 中使用变量(或非常复杂的相关子查询)来执行此操作。在其他数据库中,您将使用窗口/分析函数。

逻辑是:

  1. 每月获得一排和购买的人。
  2. 使用变量为每组连续月份分配一个“分组”值。
  3. 按人员和“分组”值聚合。

这是一个已在您的 SQL Fiddle 上测试过的查询:

select person, count(*) as numMonths
from (select person, ym, @ym, @person,
             if(@person = person and @ym = ym - 1, @grp, @grp := @grp + 1) as grp,
             @person := person,
             @ym := ym
      from (select distinct person, year(purdate)*12+month(purdate) as ym
            from records r
           ) r cross join
           (select @person := '', @ym := 0, @grp := 0) const
      order by 1, 2
     ) pym
group by person, grp;
于 2014-04-21T20:51:03.570 回答
3

我使用这个 StackOverflow 答案作为指导(检查 x 连续天 - 给定数据库中的时间戳

SELECT a.person, COUNT(1) AS consecutive_months
FROM
(

  SELECT a.person, IF(b.YearMonth IS NULL, @val:=@val+1, @val) AS consec_set
  FROM (
    SELECT DISTINCT person, EXTRACT(YEAR_MONTH from purdate) as YearMonth from records
    ) a
  CROSS JOIN (SELECT @val:=0) var_init
  LEFT JOIN (SELECT DISTINCT person, EXTRACT(YEAR_MONTH from purdate) as YearMonth from records) b ON
      a.person = b.person AND
      a.YearMonth = b.YearMonth + 1
   ) a
GROUP BY a.consec_set
HAVING COUNT(1) >= 2    

这是 SQLFiddle - http://sqlfiddle.com/#!2/cc5c3/55

于 2014-04-21T21:01:03.923 回答