0

我需要验证一个具有 out 游标参数的过程。具体来说,我需要查看正在检索的内容。

我试试这个:

declare
  type cursor_out is ref cursor;
  cur cursor_out; 
  fila activ_economica%rowtype;
  procedure test(algo out cursor_out) is
  begin
    open algo for select * from activ_economica;  
  end;
begin
  test(cur);
  for i in cur loop
    fila := i;
    dbms_output.put(fila.id_activ_economica ||' ' );
    dbms_output.put_line(fila.nom_activ_economica);
  end loop;
end;

错误是“cur”尚未定义。

4

1 回答 1

2

您不能将光标 FOR 循环与 ref 光标一起使用,您必须这样做:

declare
  type cursor_out is ref cursor;
  cur cursor_out; 
  fila activ_economica%rowtype;
  procedure test(algo out cursor_out) is
  begin
    open algo for select * from activ_economica;  
  end;
begin
  test(cur);
  loop
    fetch cur into fila;
    exit when cur%notfound;
    dbms_output.put(fila.id_activ_economica ||' ' );
    dbms_output.put_line(fila.nom_activ_economica);
  end loop;
  close cur;
end;

注意:不再需要定义您自己的 ref 游标类型(除非您使用的是非常旧的 Oracle 版本)。您可以只使用 SYS_REFCURSOR 代替:

declare
  cur sys_refcursor; 
  ...
于 2012-06-13T16:33:04.203 回答