顺序结构:程序从上往下依次执行
分支结构:程序从两条或多条路径中执行一条去执行
循环结构:程序在满足一定条件的基础上,重复执行一段代码
select if(表达式1,表达式2,表达式3)
执行顺序:如果表达式1成立,则if函数返回表达式2的值,否则返回表达式3的值
应用:任何地方
语法1:类似于switch 语句,一般用于实现等值判断
case 变量 | 表达式 | 字段
when 要判断的值 then 返回的值1 或 语句1;
when 要判断的值 then 返回的值2 或 语句1;
...
else 要返回的值n 或语句n;
end case;
语法2:类似于多重if语句,一般用于实现区间判断
case
when 判断的条件1 then 返回的值1 或 语句1;
when 判断的条件2 then 返回的值2 或 语句2
...
else 要返回的值n 或 语句 n;
end case;
特点:
① 可以作为表达式,嵌套在其他语句中使用,可以放在任何地方,begin end 中 或 begin end 的外面;可以作为独立的语句去使用,只能放在begin end 中
② 如果when中的值满足或条件成立,则执行对应的then后面的语句,并且结束case ,如果都不满足,则执行else中的语句或值
③ else可以省略,如果else省略了,并且所有when条件都不满足,则返回null
create procedure test(in score int)
begin
case
when score >= 90 and score <= 100 then select "A";
when score >= 80 then select "B";
when score >= 60 then select "C";
else select "D";
end case;
end $
//调用
call test_case(90) $
功能:实现多重分支
应用场合:应用在 begin end 中
if 条件1 then 语句1;
elseif 条件2 then 语句2;
...
【else 语句n】
end if;
create function test(score int) returns char(1)
begin
if score >= 90 and score <= 100 then return "A";
elseif score >= 80 then return "B";
elseif score >= 60 then return "C";
else return "D";
end if;
end
分类:while 、loop、repeat
iterate 类似于 continue ,继续,结束本次循环,继续下一次循环
leave 类似于 break ,跳出,结束当前所在的循环
语法:
【标签:】while 循环条件 do
循环体;
end while 【标签】;
语法:
【标签:】loop
循环体;
end loop 【标签】;
可以用来模拟简单的死循环
语法:
【标签:】 repeat
循环体;
until 结束循环的条件
end repeat 【标签】;
create procedure pro_while(in insertCount int)
begin
declare i int default 1;
while i <= insertCount do
insert into admin(username,password) values(concat("Rose", i),"666");
set i= i+1;
end while;
end $
//调用
call pro_while(100)$
create procedure pro_while1(in insertCount int)
begin
declare i int default 1;
a:while i <= insertCount do
insert into admin(username,password) values(concat("Rose", i),"666");
if i >= 20 then leave a;
end if;
set i= i+1;
end while a;
end $
//调用
call pro_while(100)$
create procedure pro_while1(in insertCount int)
begin
declare i int default 0; #定义局部变量
a:while i <= insertCount do
set i= i+1; //修改局部变量值
if mod(i,2) != 0 then iterate a;
end if;
insert into admin(username,password) values(concat("Rose", i),"666");
end while a;
end $