有这样一个存储过程:
drop procedure if exists tmall_test;
DELIMITER //
CREATE PROCEDURE `tmall_test`()
BEGIN
DECLARE done tinyint default 0;
DECLARE u_id int(11);
DECLARE cs CURSOR FOR SELECT distinct comm_sal from sal where 1=1;
DECLARE CONTINUE HANDLER FOR NOT FOUND SET done=1;
open cs;
while done<>1
do
fetch cs into u_id;
INSERT INTO ss VALUES (u_id);
end while;
close cs;
END
//
DELIMITER ;
但是结果总是这样:
mysql> select * from ss;
+------+
| u_id |
+------+
| 101 |
| 200 |
| 500 |
| 150 |
| 450 |
| 322 |
| 322 |
+------+
7 rows in set (0.00 sec)
表中记录只有6条,这里有7条,最后重复一条。
分析问题。
当取了6条记录,最后一条322的时候,done是为0的。
open cs;
while done<>1 #满足条件,执行循环。
do
fetch cs into u_id; #拿不到了,为空了,这时候set done=1.
INSERT INTO ss VALUES (u_id); #又被执行了一次,那么这时候的uid就是上一次最后的u_id。
end while; #结束。
原因:假设查询出来了3条数据,设置到游标中。最后游标读取完毕的时候, 也就是读到第三行时,no还是0,进入循环,这时fetch游标数据,已经抓取不到数据了,把no设置为1,但是 下面的 select concat(p_id,'-',counter,'-',no) ; 还是会执行一次,故多循环了一次
这是while条件判断的问题。或是for,until也可能有同样的问题。
改用其他循环loop,
解决方法:
drop procedure if exists tmall_test;
DELIMITER //
CREATE PROCEDURE `tmall_test`()
BEGIN
DECLARE done tinyint default 0;
DECLARE u_id int(11);
DECLARE cs CURSOR FOR SELECT distinct comm_sal from sal where 1=1;
DECLARE CONTINUE HANDLER FOR NOT FOUND SET done=1;
open cs;
while done<>1
do
fetch cs into u_id;
if done<>1 then #执行fetch之后,这里判断一下done的值,再执行。
INSERT INTO ss VALUES (u_id);
end if;
end while;
close cs;
END
//
DELIMITER ;
你还可以在这个程序中,添加计数,来看while,for,until,loop循环了多少次。
set cnt = 0;# 计数,循环了几次
open cs; # 打开游标
while no <> 1 do # 循环读取游标数据
set cnt = cnt +1;