PostgreSQL游标
步骤:
1、定义一个游标:declare 游标名 cursor
2、打开一个游标
3、从结果集抓取行到游标
4、检查是否还有行需要抓取,如果是返回第三步执行抓取,如果不是,执行第五条
5、关闭游标
语法:
一、定义游标:
declare 游标名 cursor [for sql语句];
for sql语句表示该游标是否和sql语句进行绑定,如果没有for关键字指定,则表明该游标是未绑定状态
举例1:
declare
mycursor1 cursor;
mycursor2 cursor for select * from film;
mycursor3 cursor(year integer) for select * from film where release_year=year;
(year integer)表示参数
二、打开游标:
(1)、打开未绑定的游标:
open mycursor1 for select * from film;
或:
query:= 'select * from film order by $1;'
open mycursor1 for execute query using release_year; [release_year为替换query排序的列名变量$1]
(2)、打开已绑定的游标:
因为绑定的游标已经声明了查询,所以再打开查询时,如果有参数,只需要将参数传递即可。
open mycursor2;
open mycursor3(year:=2005)
三、游标的使用:
游标抓取行:
fetch [option from] 游标名 into 变量名;
fetch语句从游标获取下一行并分配给'变量名',它可以是一条记录、一个行变量或一个逗号分隔的变量列表。如果没有找到更多的行,'变量名'被设置为NULL(s)
默认情况下,如果不显示指定方向,光标将获取下一行,option有如下值:
next
last
prior
first
absolute count
relative count
forward
backward
【注】:forward和backward仅适用于使用滚动选项声明的游标。
举例:
fetch mycursor2 into row_film;
fetch next from mycursor3 into row_film;
四、移动游标:
如果指向移动光标而不想检索任何行,可以使用move来移动游标,而达到从某个位置再开始抓取行
move [option from] 游标名;
option有如下值:
next
last
prior
first
absolute count
relative count
forward
backward
【注】:forward和backward仅适用于使用滚动选项声明的游标。
move mycursor1;
move next from mycursor2;
move relative -1 from mycursor3;
move forward 3 from mycursor3;
五、删除或更新行:
可以通过游标删除或更新行
举例:
update table_name set 列名='值' where current of 游标名;
delete from table_name where current of 游标名;
六、关闭游标:
close 游标名;
close 关闭游标后,允许使用open再次打开游标。
举例:
create or replace function get_film_titles(p_year integer)
returns text as $$
declare
titles text default '';
res_film record;
mycursor cursor(p_year integer) for select title,release_year from film where release_year=p_year; --定义游标并绑定sql语句
begin
open mycursor(p_year); --打开游标
loop --定义一个loop循环,来循环的抓取游标的行
fetch mycursor into res_film;
exit when not found; --当循环抓取带最后一行之后,抓取的为空即退出循环
if res_film.title like '%ful%' then
titles := titles||','||res_film.title||':'||res_film.release_year;
end if;
end loop;
close mycursor;
return titles;
end; $$
language plpgsql;
select get_film_titles(2006);
结果:
,Grosse Wonderful:2006,Day Unfaithful:2006,Reap Unfaithful:2006,Unfaithful Kill:2006,Wonderful Drop:2006
film源表.png
网友评论