无法确定多态类型,因为输入的类型为" unknown"

时间:2014-06-17 07:11:58

标签: sql database string postgresql polymorphism

我有一个查询,其输出为

  

无法确定多态类型,因为输入的类型为" unknown"

查询:

select ( array_to_string(array_agg(name), ', '))::text as name,path 
from(select 'fullpath' as Path,null as id,'' as name 
     from tblabc where key = 'key1' and value = '1' 
    ) as e 
group by path;

我有一个 postgres 数据库

1 个答案:

答案 0 :(得分:21)

这里的问题是'' as name实际上没有为值指定类型。它是unknown类型,PostgreSQL通常会推断出真实类型,比如你要插入的列或者传递给它的函数。

在这种情况下,您将其传递给array_agg,这是一个 polymorphc 函数。它可以接受伪类型anyelement的输入,这实际上只是意味着“在运行时计算出来”。

PostgreSQL仍然可以解决它,除了array_to_string实际上并没有text[]作为输入。它需要anyarray - 另一种多态类型,如数组anyelement

因此查询中没有任何内容可以告诉PostgreSQL ''是什么类型的。它可能会猜到你的意思是text,但它有点太挑剔了。所以它抱怨。该问题简化为:

regress=> SELECT array_to_string(array_agg(''), ',');
ERROR:  could not determine polymorphic type because input has type "unknown"

要解决此问题,请编写一个类型文字:

TEXT '' AS name

或使用演员:

CAST('' AS text) AS name

或PostgreSQL简写:

''::text

的示例:

regress=> SELECT array_to_string(array_agg(TEXT ''), ',');
 array_to_string 
-----------------

(1 row)

regress=> SELECT array_to_string(array_agg(''::text), ',');
 array_to_string 
-----------------

(1 row)

regress=> SELECT array_to_string(array_agg(CAST('' AS text)), ',');
 array_to_string 
-----------------

(1 row)