前端之家收集整理的这篇文章主要介绍了
oracle的游标笔记,
前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
1. 游标
游标是一条sql语句执行之后的结果状态信息
1.1 隐式游标
当执行DML语句时,会自动创建隐式游标,包含
%FOUND: 影响大于0条数据为true ,
%NOTFOUND:影响0条数据为true ,
%ROWCOUNT:影响数据的条数 ,
%ISOPEN: 是否打开,隐式游标始终为false
隐式游标的名称叫做sql
declare
new_sal number;
new_empno number;
begin
new_sal := &newsal;
new_empno := &empno;
update emp set sal = new_sal where empno = new_empno;
if sql%FOUND then
dbms_output.put_line('更新成功,本次更新了' || sql%ROWCOUNT || '条数据');
else
dbms_output.put_line('没有更新到数据。');
end if;
commit;
end;
begin
delete from salgrade;
if sql%rowcount > 0 then
dbms_output.put_line('删除了很多数据');
end if;
end;
1.2 显示游标
显示定义一个查询结果为游标
1.2.1 在声明块中声明显式游标对象
1.2.2 使用显式游标之前必须打开显示游标
for循环迭代游标时会自动打开游标,所以不能手动打开
1.2.3 通过fetch关键字将游标中的数据行抓取到指定行类型
1.2.4 使用完游标,需要手动关闭
for循环使用完游标会自动关闭,无需手动关闭
declare
cursor my_cursor is select * from emp where deptno = 20;
emp_row emp%rowtype;
begin
open my_cursor;
loop
fetch my_cursor into emp_row;
exit when my_cursor%notfound;
dbms_output.put_line('ename: ' || emp_row.ename || ',sal: ' || emp_row.sal);
end loop;
close my_cursor;
end;
declare
cursor my_cursor is select * from emp where deptno = 20;
begin
for emp_row in my_cursor loop
dbms_output.put_line('ename: ' || emp_row.ename || ',sal: ' || emp_row.sal);
end loop;
end;
1.3 REF动态游标
declare
dno number;
emp_row emp%rowtype;
type my_ref_cursor is ref cursor return emp%rowtype;
cur_emp1 my_ref_cursor;
begin
dno := &dno;
open cur_emp1 for select * from emp where deptno = dno;
fetch cur_emp1 into emp_row;
while cur_emp1%found loop
dbms_output.put_line('ename: ' || emp_row.ename || ',sal: ' || emp_row.sal);
fetch cur_emp1 into emp_row;
end loop;
close cur_emp1;
end;
@H_301_172@
原文链接:https://www.f2er.com/oracle/212295.html