MySQL存儲過程之流程控制while,repeat,loop循環

前言

  • 循環是一段在程序中隻出現一次,但可能會連續運行多次的代碼。
  • 循環中的代碼會運行特定的次數,或者是運行到特定條件成立時結束循環。

循環分類:

  • while
  • repeat
  • loop

循環控制:

leave 類似於 break,跳出,結束當前所在的循環

iterate類似於 continue,繼續,結束本次循環,繼續下一次

while循環

【標簽:】while 循環條件 do
循環體;
end while【 標簽】;
-- 創建測試表
create table user (
uid int primary_key,
username varchar ( 50 ),
password varchar ( 50 )
);
-- -------存儲過程-while
delimiter $$
create procedure proc16_while1(in insertcount int)
begin
declare i int default 1;
label:while i<=insertcount do
insert into user(uid,username,`password`) values(i,concat('user-',i),'123456');
set i=i+1;
end while label;
end $$
delimiter ;
call proc16_while(10);

存儲過程語法是固定的:delimiter $$ create peocedure 循環名(參數)begin 代碼 end $$ delimiter;

註意在寫循環體的時候,必須要要有定義循環的初識變量,采用declare i int default 默認值

然後就是dlabel:while 判斷條件 do 循環體 end while label; end && 必須要有

-- -------存儲過程-while + leave
truncate table user;
delimiter $$
create procedure proc16_while2(in insertcount int)
begin
declare i int default 1;
label:while i<=insertcount do
insert into user(uid,username,`password`) values(i,concat('user-',i),'123456');
if i=5 then leave label;
end if;
set i=i+1;
end while label;
end $$
delimiter ;
call proc16_while2(10);

如果在內部需要跳出循環的話,采用if 判斷 ,但是最後需要end if 結尾

這裡的leave就是 跳出循環,相對於break

-- -------存儲過程-while+iterate
truncate table user;
delimiter $$
create procedure proc16_while3(in insertcount int)
begin
declare i int default 1;
label:while i<=insertcount do
set i=i+1;
if i=5 then iterate label;
end if;
insert into user(uid,username,`password`) values(i,concat('user-',i),'123456');
end while label;
end $$
delimiter ;
call proc16_while3(10);

這裡的iterate 相對於continue 遇到就不執行下面的代碼

repeat循環

[標簽:]repeat
循環體;
until 條件表達式
end repeat [標簽];
-- -------存儲過程-循環控制-repeat
use mysql7_procedure;
truncate table user;
delimiter $$
create procedure proc18_repeat(in insertCount int)
begin
declare i int default 1;
label:repeat
insert into user(uid, username, password) values(i,concat('user-',i),'123456');
set i = i + 1;
until i > insertCount
end repeat label;
select '循環結束';
end $$
delimiter ;
call proc18_repeat(100);

這個相對於是,無論如何都會執行一次的循環,然後是在內部進行判斷,如果滿足瞭就直接跳出

loop循環

[標簽:] loop
循環體;
if 條件表達式 then
leave [標簽];
end if;
end loop;
-- -------存儲過程-循環控制-loop
truncate table user;

delimiter $$
create procedure proc19_loop(in insertCount int)
begin
declare i int default 1;
label:loop
insert into user(uid, username, password) values(i,concat('user-',i),'123456');
set i = i + 1;
if i > 5
then
leave label;
end if;
end loop label;
select '循環結束';
end $$
delimiter ;
call proc19_loop(10);

這個和repeat不同的是,需要執行之後,利用leave 跳出循環,無論是使用哪種都可以達到我們需要的效果,但是在業務中的應用場景,while還是相對比較的多。

到此這篇關於MySQL存儲過程之流程控制while,repeat,loop循環的文章就介紹到這瞭,更多相關MySQL存儲過程 內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: