-2

Currently getting an error about type casts,

HINT: Could not choose a best candidate function. You might need to add explicit type casts.

Let's say I create an overloaded function foo

CREATE FUNCTION foo(x int)
RETURNS int AS $$
  SELECT 1
$$ LANGUAGE sql;

CREATE FUNCTION foo(x interval)
RETURNS int AS $$
  SELECT 2
$$ LANGUAGE sql;

How come when I then call that function,

SELECT foo('5 days');

I get,

ERROR:  function foo(unknown) is not unique
LINE 1: SELECT foo('5 days');
               ^
HINT:  Could not choose a best candidate function. You might need to add explicit type casts.

Question inspired by looking into generate_series and the conversations on irc.freenode.net/#postgresql

Evan Carroll
  • 65,432
  • 50
  • 254
  • 507

1 Answers1

1

The reason for this is because '5 days' at that point is essentially '5 days'::unknown. From there the question is whether the right option is

  • '5 days'::int or
  • '5 days'::interval

Sure, '5 days'::int isn't valid, but unknown -> int is required so you can say SELECT '5' + 5;. PostgreSQL doesn't know that "5 days" will throw an exception until after it tries and because both are typed the same it just gives up rather than guessing randomly.

There is no good work around to this.

You can see it documented under Functions: Type Conversion

Evan Carroll
  • 65,432
  • 50
  • 254
  • 507