5

我正在尝试提取与特定日期和 user_ids 对应的记录计数,这些记录数在数据库中的下一个较晚日期没有对应的 user_ids。这是我试图完成它的方式(使用 plpgsql 但不定义函数:

    DO
    $BODY$
    DECLARE
        a date[]:= array(select distinct start_of_period from monthly_rankings where balance_type=2);
        res int[] = '{}';
    BEGIN
        FOR i IN array_lower(a,1) .. array_upper(a,1)-1
        LOOP
            res:=array_append(res,'SELECT COUNT(user_id) from (select user_id from monthly_rankings where start_of_period=a[i] except select user_id from monthly_rankings where start_of_period=a[i+1]) as b');
                    i:=i+1;
            END LOOP;
            RETURN res;
        $BODY$ language plpgsql

我得到一个错误:无法检索结果:错误:返回函数中不能有参数返回 void LINE 11:RETURN res; 我是这种程序语言的新手,无法发现函数返回 void 的原因。我确实将值分配给变量,并且我声明了空数组,而不是 NULL 数组。是否存在语法或更重要的推理错误?

4

1 回答 1

7

1.) 你根本不能RETURNDO陈述中获得。您将不得不这样做CREATE FUNCTION

2.) 你不需要这些。使用这个查询,它会快一个数量级:

WITH x AS (
   SELECT DISTINCT start_of_period
         ,rank() OVER (ORDER BY start_of_period) AS rn
   FROM   monthly_rankings
   WHERE  balance_type = 2
   )
SELECT x.start_of_period, count(*) AS user_ct
FROM   x
JOIN   monthly_rankings m USING (start_of_period)
WHERE  NOT EXISTS (
   SELECT 1
   FROM   x x1
   JOIN   monthly_rankings m1 USING (start_of_period)
   WHERE  x1.rn = x.rn + 1
   -- AND    m1.balance_type = 2 -- only with matching criteria?
   AND    m1.user_id = m.user_id
   )
-- AND balance_type = 2  -- all user_id from these dates?
GROUP  BY x.start_of_period
ORDER  BY x.start_of_period

这包括最后一个限定符start_of_period,您可能希望像在您的 plpgsql 代码中一样排除它。

于 2013-07-17T14:47:36.447 回答