Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

plpgsql Error: RETURN cannot have a parameter in function returning void

I am trying to extract the count of records corresponding to a specific date and user_ids which do not have corresponding user_ids for the next later date in the database. This is the way I am trying to accomplish it (using plpgsql but not defining a function:

    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

I get an Error: could not Retrieve the result : ERROR: RETURN cannot have a parameter in function returning void LINE 11: RETURN res; I am new to this procedural language and cannot spot why the function is returning void. I do assign the values to variables , and I declared empty - not NULL - arrays. Is there a syntax or a more significant reasoning mistake?

like image 349
zima Avatar asked Jul 17 '13 11:07

zima


1 Answers

1.) You cannot RETURN from a DO statement at all. You would have to CREATE FUNCTION instead.

2.) You don't need any of this. Use this query, which will be faster by an order of magnitude:

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

This includes the last qualifying start_of_period, you may want to exclude it like in your plpgsql code.

like image 150
Erwin Brandstetter Avatar answered Nov 16 '22 12:11

Erwin Brandstetter