3

我必须在 pl/sql 中编写一个嵌套的流水线函数,我尝试以下列方式实现它。

create package body XYZ AS
    function main_xyz return data_type_1 pipelined is
        begin 
        --code
        pipe row(sub_func);
        end;
    function sub_func return data_type_1 pipelined is
        begin 
        --code
        pipe row(sub_func_1);
        end;
     function sub_func_1 return data_type_1 pipelined is
        begin 
        --code
        pipe row(main_abc);
        end;
 end;

create package body abc AS
        function main_abc return data_type_2 pipelined is
            var data_type_2;
            begin 
            --code
             return var;
            end;
  end;

但是,我收到以下错误

[错误] PLS-00653:PLS-00653:PL/SQL 范围内不允许聚合/表函数

我哪里错了?是语法还是逻辑?

4

1 回答 1

2

流水线函数(按需)一一提供行,因此您不能一次从流水线函数中放置所有行。

在我看来你需要改变main_xyz这种方式:

function main_xyz return data_type_1 pipelined is
 begin 

   --code

   FOR rec IN (select * from table(XYZ.sub_func)) LOOP
       pipe row(rec);
   END LOOP;
 end;

考虑到这sub_func必须在 XYZ 包的规范中,因为您在 SQL 查询中使用的所有内容(包括 PIPELINED 函数)都是公开的(即对运行查询的用户可见)。

更新:我忘记提醒:不要滥用管道函数(如果您有其他选择) - 使用它们的查询可能性能不佳,因为数据库引擎无法为“不可预测的管道行”构建良好的执行计划。

于 2015-10-20T10:29:33.240 回答