目的:
和ref cursor配合使用, 能夠將遊標變量分配給不一樣的SQL (而不是在declare中把遊標給定死), 增長處理遊標的靈活性
語法:sql
declare type type_cursor is ref cursor [return 記錄類型]; --使用 ref cursor 才能把遊標分配給不一樣的SQL,return不能用在動態SQL中 v_cursor type_cursor ; begin OPEN v_cursor FOR select first_name, last_name from student; OPEN v_cursor FOR ' select first_name,last_name from student where zip = :1 ' USING 綁定變量1;
open | 靜態SQL | cursor | cursor c1 is <靜態SQL文本> open c1; fetch ... into ... ; close c1; |
open for | 靜態SQL | ref cursor | type t_1 is ref cursor; c2 t_1 ; open c2 for <靜態SQL語句>; |
open for using | 動態SQL | type t_1 is ref cursor; c2 t_1 ; open c2 for <動態SQL語句> using ... ; |
例子1:oop
declare type student_cur_type is ref CURSOR RETURN test_stu%ROWTYPE; --聲明ref cursor類型, return類型固定 v_first_name test_stu.first_name%TYPE; v_last_name test_stu.last_name%TYPE; cur_stud student_cur_type; begin open cur_stud for select first_name,last_name from student ; --帶return的ref cursor只能用在靜態sql中 loop fetch cur_stud into v_first_name, v_last_name; exit when cur_stud%NOTFOUND; dbms_output.put_line(v_first_name || ' ' || v_last_name); end loop; close cur_stud; end;
例子2:fetch
declare v_zip varchar2(5) := '&sv_zip'; v_first_name varchar2(25); v_last_name varchar2(25); type student_cur_type is ref cursor; --聲明ref cursor類型 student_cur student_cur_type; --student_cur是遊標變量 / student_cur_type 是引用遊標類型 begin --2打開遊標變量,讓它指向一個動態select查詢的結果集 ; 就是使用open for語句代替通常的open語句代開遊標 open student_cur for 'select first_name,last_name ' from student where zip = :1' using v_zip; loop fetch student_cur into v_first_name, v_last_name; exit when student_cur%NOTFOUND; dbms_output.put_line(v_first_name || ' ' || v_last_name); end loop; close student_cur; end;
轉載自:https://blog.csdn.net/crzzyracing/article/details/75336196 spa