Sahand
Sahand

Reputation: 8370

PostgreSQL: No function matches the given name and argument types

I have the following procedure:

DROP FUNCTION presAdress();

CREATE FUNCTION presadress() RETURNS VARCHAR(100) AS $$
DECLARE studioName text;
    BEGIN

    RETURN (
    SELECT address AS pres_address
    FROM MovieExec
    WHERE cert# IN (
        SELECT presC# 
        FROM Studio
        WHERE name = studioName)
        );
    END;

$$ LANGUAGE plpgsql;

I try to run the procedure:

select presadress('Paramount');

But I get the following error message:

ERROR: function presadress(text) does not exist
SQL state: 42883
Hint: No function matches the given name and argument types. You might need to add explicit type casts.
Character: 294

I suspect that this is because there is some kind of error regarding the in parameters of the procedure, but I have been unable to find a solution.

Upvotes: 1

Views: 7166

Answers (2)

Erwin Brandstetter
Erwin Brandstetter

Reputation: 658717

Use a function parameter, like @Gordon demonstrates, but you don't need plpgsql for this at all. And the query can simplified (shorter, faster):

CREATE FUNCTION presadress(_studioname text)
  RETURNS text AS
$$
SELECT m.address
FROM   studio s
JOIN   movieexec m ON m.cert# = s.presc#
WHERE  s.name = _studioname
$$ LANGUAGE sql STABLE;

Function volatility can be STABLE.

Related:

Upvotes: 1

Gordon Linoff
Gordon Linoff

Reputation: 1270873

I think you want a declaration more like this:

CREATE FUNCTION presadress (v_studioName text)
    RETURNS VARCHAR(100) AS $$
BEGIN
    RETURN(SELECT address AS pres_address
           FROM MovieExec
           WHERE cert# IN (SELECT presC# 
                           FROM Studio
                           WHERE name = v_studioName)
         );
END;
$$ LANGUAGE plpgsql;

Upvotes: 0

Related Questions