SQL过程可以返回一个表吗?

时间:2012-12-02 20:26:54

标签: sql oracle procedure

Oracle SQL过程可以返回一个表吗?我目前正在使用dbms_output打印出两个游标的输出,这些游标在一个循环中,尽管如果它返回两列而看起来会更好。这会在程序中实现吗?

3 个答案:

答案 0 :(得分:8)

PL / SQL函数可以返回嵌套表。如果我们将嵌套表声明为SQL类型,我们可以使用the TABLE() function将其用作查询源。

这是一个类型,以及从它构建的嵌套表:

SQL> create or replace type emp_dets as object (
  2  empno number,
  3  ename varchar2(30),
  4  job varchar2(20));
  5  /

Type created.

SQL> create or replace type emp_dets_nt as table of emp_dets;
  2  /

Type created.

SQL> 

这是一个返回嵌套表的函数...

create or replace function get_emp_dets (p_dno in emp.deptno%type)
    return emp_dets_nt
is
    return_value emp_dets_nt;
begin
    select emp_dets(empno, ename, job)
    bulk collect into return_value
    from emp
    where deptno = p_dno;
    return return_value;
end;
/

......这就是它的工作原理:

SQL> select * 
  2  from table(get_emp_dets(10))
  3  /

     EMPNO ENAME                          JOB
---------- ------------------------------ --------------------
      7782 CLARK                          MANAGER
      7839 KING                           PRESIDENT
      7934 MILLER                         CLERK

SQL> 

SQL Types为我们提供了大量功能,并允许我们在PL / SQL中构建相当复杂的API。 Find out more

答案 1 :(得分:1)

我认为您可以使用Oracle Cursor(如果您的Oracle版本支持它):

PROCEDURE myprocedure(
    mycursor OUT SYS_REFCURSOR )
AS
BEGIN
  OPEN mycursor FOR SELECT * FROM mytable;
END;
END;

答案 2 :(得分:0)

这也可能有所帮助:

DECLARE
  TYPE t_emptbl IS TABLE OF scott.emp%rowtype;
  v_emptbl t_emptbl; 
  ret_val  t_emptbl; 
  --
  Function getEmployeeList Return t_emptbl 
  IS
  BEGIN
    SELECT * bulk collect INTO v_emptbl FROM scott.emp;
    -- Print nested table of records:
    FOR i IN 1 .. v_emptbl.COUNT LOOP
      DBMS_OUTPUT.PUT_LINE (v_emptbl(i).empno);
    END LOOP;
    RETURN v_emptbl;
  END;
  --
  BEGIN
    ret_val:= getEmployeeList;
  END;
  /